1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321
|
/* Copyright 2008 Orbitz WorldWide
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*
* ======================================================================
*
* PLEASE DO NOT USE A COMMA AFTER THE FINAL ITEM IN A LIST.
*
* ======================================================================
*
* It works fine in FF / Chrome, but completely breaks Internet Explorer.
* Thank you.
*
*/
var DEFAULT_WINDOW_WIDTH = 600;
var DEFAULT_WINDOW_HEIGHT = 400;
var Composer;
function createComposerWindow(myComposer) {
//This global is an ugly hack, probly need to make these widgets into more formal objects
//and keep their associated Composer object as an attribute.
Composer = myComposer;
//Can't define this inline because I need a reference in a closure below
var timeDisplay = new Ext.Toolbar.TextItem({text: "Now showing the past 24 hours"});
var topToolbar = [
createToolbarButton('Update Graph', 'updateGraph.gif', updateGraph),
'-',
createToolbarButton('Select a Date Range', 'calBt.gif', toggleWindow(createCalendarWindow) ),
createToolbarButton('Select Recent Data', 'arrow1.gif', toggleWindow(createRecentWindow) ),
createToolbarButton('Open in Graphlot', 'line_chart.png', function() { window.open('/graphlot/?' + Composer.url.queryString,'_blank') }),
'-',
timeDisplay
];
if (GraphiteConfig.showMyGraphs) {
var saveButton = createToolbarButton('Save to My Graphs', 'save.gif', saveMyGraph);
var deleteButton = createToolbarButton('Delete from My Graphs', 'delete.gif', deleteMyGraph);
topToolbar.splice(0, 0, saveButton, deleteButton);
}
var bottomToolbar = [
{ text: "Graph Options", menu: createOptionsMenu() },
{ text: "Graph Data", handler: toggleWindow(GraphDataWindow.create.createDelegate(GraphDataWindow)) },
{ text: "Auto-Refresh", id: 'autorefresh_button', enableToggle: true, toggleHandler: toggleAutoRefresh }
];
var win = new Ext.Window({
width: DEFAULT_WINDOW_WIDTH,
height: DEFAULT_WINDOW_HEIGHT,
title: "Graphite Composer",
layout: "border",
region: "center",
maximizable: true,
closable: false,
tbar: topToolbar,
buttons: bottomToolbar,
buttonAlign: 'left',
items: { html: "<img id='image-viewer' src='/render'/>", region: "center" },
listeners: {
activate: keepDataWindowOnTop,
show: fitImageToWindow,
resize: fitImageToWindow
}
});
// Tack on some convenience closures
win.updateTimeDisplay = function (time) {
var text;
if (time.mode == 'date-range') {
text = "<b>From</b> " + time.startDate.toLocaleString();
text += " <b>Until</b> " + time.endDate.toLocaleString();
text = text.replace(/:00 /g, " "); // Strip out the seconds
} else if (time.mode == 'recent') {
text = "Now showing the past " + time.quantity + " " + time.units;
}
timeDisplay.getEl().dom.innerHTML = text;
};
win.updateUI = function () {
var toggled = Composer.url.getParam('autorefresh') ? true : false;
Ext.getCmp('autorefresh_button').toggle(toggled);
updateCheckItems();
};
win.getImage = function () {
return Ext.getDom('image-viewer');
};
return win;
}
function toggleWindow(createFunc) { // Convenience for lazily creating toggled dialogs
function toggler (button, e) {
if (!button.window) { //First click, create the window
button.window = createFunc();
}
if (button.window.isVisible()) {
button.window.hide();
} else {
button.window.show();
}
}
return toggler;
}
function ifEnter(func) { // Convenience decorator for specialkey listener definitions
return function (widget, e) {
if (e.getCharCode() == Ext.EventObject.RETURN) {
func(widget);
}
}
}
function keepDataWindowOnTop () {
if (GraphDataWindow.window && GraphDataWindow.window.isVisible()) {
GraphDataWindow.window.toFront();
}
}
function fitImageToWindow(win) {
Composer.url.setParam('width', win.getInnerWidth());
Composer.url.setParam('height', win.getInnerHeight());
try {
Composer.updateImage();
} catch (err) {
//An exception gets thrown when the initial resize event
//occurs prior to rendering the image viewer. Safe to ignore.
}
}
/* Toolbar stuff */
function createToolbarButton(tip, icon, handler) {
return new Ext.Toolbar.Button({
style: "padding-left:10pt; background:transparent url(../content/img/" + icon + ") no-repeat scroll 0% 50%",
handler: handler,
handleMouseEvents: false,
text: " ",
listeners: {
render: function (button) {
button.el.toolTip = new Ext.ToolTip({
html: tip,
showDelay: 100,
dismissDelay: 10000,
target: button.el
});
}
}
});
}
/* "Date Range" Calendar */
function createCalendarWindow() {
// Start/End labels
var style = "font-family: tahoma,arial,verdana,sans-serif; font-size:11px;";
var startDateHeader = {
html: "<center><span id='startDate' style=\"" + style + "\">Start Date</span></center>"
};
var endDateHeader = {
html: "<center><span id='endDate' style=\"" + style + "\">End Date</span></center>"
};
// Date controls
var startDateControl = new Ext.DatePicker({
id: 'start-date',
maxDate: new Date()
});
var endDateControl = new Ext.DatePicker({
id: 'end-date',
maxDate: new Date()
});
startDateControl.on('select', calendarSelectionMade);
endDateControl.on('select', calendarSelectionMade);
// Time controls
startTimeControl = new Ext.form.TimeField({
id: 'start-time',
increment: 30,
allowBlank: false,
value: "12:00 AM",
listeners: {select: calendarSelectionMade, specialkey: ifEnter(calendarSelectionMade)}
});
endTimeControl = new Ext.form.TimeField({
id: 'end-time',
allowBlank: false,
value: "11:59 PM",
listeners: {select: calendarSelectionMade, specialkey: ifEnter(calendarSelectionMade)}
});
var myWindow;
var resizeStuff = function () {
startTimeControl.setWidth( startDateControl.el.getWidth() );
endTimeControl.setWidth( endDateControl.el.getWidth() );
myWindow.setWidth( startDateControl.el.getWidth() + endDateControl.el.getWidth() + myWindow.getFrameWidth() );
//myWindow.setHeight( startDateControl.el.getHeight() + startTimeControl.el.getHeight() + myWindow.getFrameHeight() );
};
myWindow = new Ext.Window({
title: "Select Date Range",
layout: 'table',
height: 300,
width: 400,
layoutConfig: { columns: 2 },
closeAction: 'hide',
items: [
startDateHeader,
endDateHeader,
startDateControl,
endDateControl,
startTimeControl,
endTimeControl
],
listeners: {show: resizeStuff}
});
return myWindow;
}
function calendarSelectionMade(datePicker, selectedDate) {
var startDate = getCalendarSelection('start');
var endDate = getCalendarSelection('end');
Composer.url.setParam('from', asDateString(startDate) );
Composer.url.setParam('until', asDateString(endDate) );
Composer.updateImage();
Composer.window.updateTimeDisplay({
mode: 'date-range',
startDate: startDate,
endDate: endDate
});
}
function getCalendarSelection(which) {
var myDate = Ext.getCmp(which + '-date').getValue();
var myTime = Ext.getCmp(which + '-time').getEl().dom.value; // Need to grab the raw textfield value, which may not be selected
var myHour = myTime.match(/(\d+):/)[1];
var myMinute = myTime.match(/:(\d+)/)[1];
if (myTime.match(/\bAM\b/i) && myHour == '12') {
myHour = 0;
}
if (myTime.match(/\bPM\b/i) && myHour != '12') {
myHour = parseInt(myHour) + 12;
}
return myDate.add(Date.HOUR, myHour).add(Date.MINUTE, myMinute);
}
function asDateString(dateObj) {
return dateObj.format('H:i_Ymd');
}
/* "Recent Data" dialog */
function toggleWindow(createFunc) {
function toggler (button, e) {
if (!button.window) { //First click, create the window
button.window = createFunc();
}
if (button.window.isVisible()) {
button.window.hide();
} else {
button.window.show();
}
}
return toggler;
}
function createRecentWindow() {
var quantityField = new Ext.form.NumberField({
id: 'time-quantity',
grow: true,
value: 24,
listeners: {change: recentSelectionMade, specialkey: ifEnter(recentSelectionMade)}
});
var unitSelector = new Ext.form.ComboBox({
id: 'time-units',
editable: false,
triggerAction: 'all',
mode: 'local',
store: ['minutes', 'hours', 'days', 'weeks', 'months', 'years'],
width: 75,
value: 'hours',
listeners: {select: recentSelectionMade}
});
return new Ext.Window({
title: "Select a Recent Time Range",
layout: 'table',
height: 60, //there's gotta be a way to auto-size these windows!
width: 235,
layoutConfig: { columns: 3 },
closeAction: 'hide',
items: [
{
html: "<div style=\"border: none; background-color: rgb(223,232,246)\">View the past</div>",
style: "border: none; background-color: rgb(223,232,246)"
},
quantityField,
unitSelector
]
});
}
function recentSelectionMade(combo, record, index) {
var quantity = Ext.getCmp('time-quantity').getValue();
var units = Ext.getCmp('time-units').getValue();
var fromString = '-' + quantity + units;
Composer.url.setParam('from', fromString);
Composer.url.removeParam('until');
Composer.updateImage();
Composer.window.updateTimeDisplay({
mode: 'recent',
quantity: quantity,
units: units
});
}
/* "Save to MyGraphs" */
function saveMyGraph(button, e) {
var myGraphName = "";
if (Composer.state.myGraphName) {
myGraphName = Composer.state.myGraphName;
var tmpArray = myGraphName.split('.');
if (tmpArray.length > 1) {
tmpArray = tmpArray.slice(1, tmpArray.length);
myGraphName = tmpArray.join('.');
}
}
Ext.MessageBox.prompt(
"Save to My Graphs", //title
"Please enter a name for your Graph", //prompt message
function (button, text) { //handler
if (button != 'ok') {
return;
}
if (!text) {
Ext.Msg.alert("You must enter a graph name!");
return;
}
if (text.charAt(text.length - 1) == '.') {
Ext.Msg.alert("Graph names cannot end in a period.");
return;
}
//Save the name for future use and re-load the "My Graphs" tree
Composer.state.myGraphName = text;
Browser.trees.mygraphs.reload();
//Send the request
Ext.Ajax.request({
method: 'GET',
url: '../composer/mygraph/',
params: {action: 'save', graphName: text, url: Composer.url.getURL()},
callback: handleSaveMyGraphResponse
});
},
this, //scope
false, //multiline
myGraphName ? myGraphName : "" //default value
);
}
function handleSaveMyGraphResponse(options, success, response) {
var message;
if (success) {
message = "Graph saved successfully";
} else {
message = "There was an error saving your Graph, please try again later.";
}
Ext.MessageBox.show({
title: "Save to My Graphs - Result",
msg: message,
buttons: Ext.MessageBox.OK
});
}
function deleteMyGraph() {
Ext.MessageBox.prompt(
"Delete a saved My Graph", //title
"Please enter the name of the My Graph you wish to delete", //prompt message
function (button, text) { //handler
if (button != 'ok') {
return;
}
if (!text) {
Ext.Msg.alert("Invalid My Graph name!");
return;
}
Browser.trees.mygraphs.reload();
//Send the request
Ext.Ajax.request({
method: 'GET',
url: '../composer/mygraph/',
params: {action: 'delete', graphName: text},
callback: function (options, success, response) {
var message = success ? "Graph deleted successfully" : "There was an error performing the operation.";
Ext.Msg.show({
title: 'Delete My Graph',
msg: message,
buttons: Ext.Msg.OK
});
}
});
},
this, //scope
false, //multiline
Composer.state.myGraphName ? Composer.state.myGraphName : "" //default value
);
}
/* Graph Data dialog */
var GraphDataWindow = {
create: function () {
var _this = this;
this.targetList = new Ext.ListView({
store: TargetStore,
multiSelect: true,
emptyText: "No graph targets",
reserveScrollOffset: true,
columnSort: false,
hideHeaders: true,
width: 385,
height: 140,
columns: [ {header: "Graph Targets", width: 1.0, dataIndex: "value"} ],
listeners: {
contextmenu: this.targetContextMenu,
afterrender: this.targetChanged,
selectionchange: this.targetChanged,
dblclick: function (targetList, index, node, e) {
targetList.select(index);
this.editTarget();
},
scope: this
}
});
var targetsPanel = new Ext.Panel({
region: 'center',
width: 400,
height: 200,
layout: 'fit',
items: this.targetList
});
var buttonPanel = new Ext.Panel({
region: 'east',
width: 100,
baseCls: 'x-window-mc',
layout: {
type: 'vbox',
align: 'stretch'
},
defaults: { xtype: 'button', disabled: true },
items: [
{
text: 'Add',
handler: this.addTarget.createDelegate(this),
disabled: false
}, {
text: 'Edit',
id: 'editTargetButton',
handler: this.editTarget.createDelegate(this)
}, {
text: 'Remove',
id: 'removeTargetButton',
handler: this.removeTarget.createDelegate(this)
}, {
text: 'Apply Function',
id: 'applyFunctionButton',
menuAlign: 'tr-tl',
menu: {
subMenuAlign: 'tr-tl',
defaults: {
defaultAlign: 'tr-tl'
},
items: createFunctionsMenu()
}
}, {
text: 'Undo Function',
handler: this.removeOuterCall.createDelegate(this),
id: 'undoFunctionButton'
}
]
});
this.window = new Ext.Window({
title: "Graph Data",
height: 200,
width: 600,
closeAction: 'hide',
layout: 'border',
items: [
targetsPanel,
buttonPanel
],
listeners: {
afterrender: function () {
if (_this.targetList.getNodes().length > 0) {
_this.targetList.select(0);
}
}
}
});
return this.window;
},
targetChanged: function () {
if (!this.targetList) { return; } // Ignore initial call
var selected;
try {
selected = this.getSelectedTargets().length;
} catch (e) {
return;
}
if (selected == 0) {
Ext.getCmp('editTargetButton').disable();
Ext.getCmp('removeTargetButton').disable();
Ext.getCmp('applyFunctionButton').disable();
Ext.getCmp('undoFunctionButton').disable();
} else {
Ext.getCmp('editTargetButton').enable();
Ext.getCmp('removeTargetButton').enable();
Ext.getCmp('applyFunctionButton').enable();
Ext.getCmp('undoFunctionButton').enable();
}
},
targetContextMenu: function (targetList, index, node, e) {
/* Select the right-clicked row unless it is already selected */
if (! targetList.isSelected(index) ) {
targetList.select(index);
}
var removeItem = {text: "Remove", handler: this.removeTarget.createDelegate(this)};
var editItem = {text: "Edit", handler: this.editTarget.createDelegate(this)};
if (this.getSelectedTargets().length == 0) {
removeItem.disabled = true;
editItem.disabled = true;
}
var contextMenu = new Ext.menu.Menu({ items: [removeItem, editItem] });
contextMenu.showAt( e.getXY() );
e.stopEvent();
},
applyFuncToEach: function (funcName, extraArg) {
var _this = this;
function applyFunc() {
Ext.each(_this.getSelectedTargets(),
function (target) {
var newTarget;
if (extraArg) {
if (funcName == 'mostDeviant') { //SPECIAL CASE HACK
newTarget = funcName + '(' + extraArg + ',' + target + ')';
} else {
newTarget = funcName + '(' + target + ',' + extraArg + ')';
}
} else {
newTarget = funcName + '(' + target + ')';
}
replaceTarget(target, newTarget);
_this.targetList.select( TargetStore.findExact('value', newTarget), true);
}
);
Composer.syncTargetList();
Composer.updateImage();
}
return applyFunc;
},
applyFuncToEachWithInput: function (funcName, question, options) {
if (options == null) {
options = {};
}
function applyFunc() {
Ext.MessageBox.prompt(
"Input Required", //title
question, //message
function (button, inputValue) { //handler
if (button == 'ok' && (options.allowBlank || inputValue != '')) {
if (options.quote) {
inputValue = '"' + inputValue + '"';
}
applyFuncToEach(funcName, inputValue)();
}
},
this, //scope
false, //multiline
"" //initial value
);
}
applyFunc = applyFunc.createDelegate(this);
return applyFunc;
},
applyFuncToAll: function (funcName) {
function applyFunc() {
var args = this.getSelectedTargets().join(',');
var oldTargets = this.getSelectedTargets();
var firstTarget = oldTargets.shift();
var newTarget = funcName + '(' + args + ')';
// Insert new target where the first selected was
replaceTarget(firstTarget,newTarget);
Ext.each(oldTargets,
function (target) {
removeTarget(target);
}
);
Composer.syncTargetList();
Composer.updateImage();
this.targetList.select( TargetStore.findExact('value', newTarget), true);
}
applyFunc = applyFunc.createDelegate(this);
return applyFunc;
},
removeOuterCall: function () {
/* It turns out that this is a big pain in the ass to do properly.
* The following code is *almost* correct. It will fail if there is
* an argument with a quoted parenthesis in it. Who cares... */
var _this = this;
Ext.each(this.getSelectedTargets(),
function (target) {
var args = [];
var i, c;
var lastArg = 0;
var depth = 0;
var argString = target.replace(/^[^(]+\((.+)\)/, "$1"); //First we strip it down to just args
for (i = 0; i < argString.length; i++) {
switch (argString.charAt(i)) {
case '(': depth += 1; break;
case '{': depth += 1; break;
case ')': depth -= 1; break;
case '}': depth -= 1; break;
case ',':
if (depth > 0) { continue; }
if (depth < 0) { Ext.Msg.alert("Malformed target, cannot remove outer call."); return; }
args.push( argString.substring(lastArg, i).replace(/^\s+/, '').replace(/\s+$/, '') );
lastArg = i + 1;
break;
}
}
args.push( argString.substring(lastArg, i) );
var firstIndex = indexOfTarget(target);
removeTarget(target);
args.reverse()
Ext.each(args, function (arg) {
if (!arg.match(/^([0123456789\.]+|".+"|'.*')$/)) { //Skip string and number literals
insertTarget(firstIndex, arg);
_this.targetList.select( TargetStore.findExact('value', arg), true);
}
});
Composer.syncTargetList();
Composer.updateImage();
}
);
},
addTarget: function (target) {
var metricCompleter;
var win;
metricCompleter = new MetricCompleter({
listeners: {
specialkey: function (field, e) {
if (e.getKey() == e.ENTER) {
var target = metricCompleter.getValue();
addTarget(target);
Composer.syncTargetList();
Composer.updateImage();
win.close();
e.stopEvent();
return false;
}
},
afterrender: function (field) {
metricCompleter.focus('', 500);
}
}
});
win = new Ext.Window({
title: "Add a new Graph Target",
id: 'addTargetWindow',
modal: true,
width: 400,
height: 115,
layout: {
type: 'vbox',
align:'stretch',
pack: 'center'
},
items: [
{xtype: 'label', text: "Type the path of your new Graph Target."},
metricCompleter
],
buttonAlign: 'center',
buttons: [
{
xtype: 'button',
text: 'OK',
handler: function () {
var target = metricCompleter.getValue();
addTarget(target);
Composer.syncTargetList();
Composer.updateImage();
win.close();
}
}, {
xtype: 'button',
text: 'Cancel',
handler: function () {
Ext.getCmp('addTargetWindow').close();
}
}
]
});
win.show();
},
removeTarget: function (item, e) {
Ext.each(this.getSelectedTargets(), function (target) {
removeTarget(target);
});
Composer.syncTargetList();
Composer.updateImage();
},
editTarget: function (item, e) {
var selected = this.targetList.getSelectedRecords();
if (selected.length != 1) {
Ext.MessageBox.show({
title: "Error",
msg: "You must select exactly one target to edit.",
icon: Ext.MessageBox.ERROR,
buttons: Ext.MessageBox.OK
});
return;
}
var record = selected[0];
var metricCompleter;
var win;
metricCompleter = new MetricCompleter({
value: record.get('value'),
listeners: {
specialkey: function (field, e) {
if (e.getKey() == e.ENTER) {
var target = metricCompleter.getValue();
record.set('value', target);
record.commit();
Composer.syncTargetList();
Composer.updateImage();
win.close();
e.stopEvent();
return false;
}
},
afterrender: function (field) {
metricCompleter.focus('', 500);
}
}
});
function editHandler () {
var newValue = metricCompleter.getValue();
if (newValue != '') {
record.set('value', newValue);
record.commit();
Composer.syncTargetList();
Composer.updateImage();
}
win.close();
}
editHandler = editHandler.createDelegate(this); //dynamic scoping can really be a bitch
win = new Ext.Window({
title: "Edit Graph Target",
id: 'editTargetWindow',
modal: true,
width: 400,
height: 115,
layout: {
type: 'vbox',
align:'stretch',
pack: 'center'
},
items: [
{xtype: 'label', text: "Edit the path of your Graph Target."},
metricCompleter
],
buttonAlign: 'center',
buttons: [
{
xtype: 'button',
text: 'OK',
handler: editHandler
}, {
xtype: 'button',
text: 'Cancel',
handler: function () {
win.close();
}
}
]
});
win.show();
},
addWlSelected: function (item, e) {
Ext.Ajax.request({
url: "/whitelist/add",
method: "POST",
success: function () { Ext.Msg.alert("Result", "Successfully added metrics to whitelist."); },
failure: function () { Ext.Msg.alert("Result", "Failed to add metrics to whitelist."); },
params: {metrics: this.getSelectedTargets().join("\n") }
});
},
removeWlSelected: function (item, e) {
Ext.Ajax.request({
url: "/whitelist/remove",
method: "POST",
success: function () { Ext.Msg.alert("Result", "Successfully removed metrics from whitelist."); },
failure: function () { Ext.Msg.alert("Result", "Failed to remove metrics from whitelist."); },
params: {metrics: this.getSelectedTargets().join("\n") }
});
},
getSelectedTargets: function () {
var targets = [];
Ext.each(this.targetList.getSelectedRecords(), function (record) {
targets.push( record.get('value') );
});
return targets;
}
};
/* Yet another ghetto api hack */
var applyFuncToAll = GraphDataWindow.applyFuncToAll.createDelegate(GraphDataWindow);
var applyFuncToEach = GraphDataWindow.applyFuncToEach.createDelegate(GraphDataWindow);
var applyFuncToEachWithInput = GraphDataWindow.applyFuncToEachWithInput.createDelegate(GraphDataWindow);
function createFunctionsMenu() {
return [{
text: 'Combine',
menu: [
{text: 'Sum', handler: applyFuncToAll('sumSeries')},
{text: 'Average', handler: applyFuncToAll('averageSeries')},
{text: 'Product', handler: applyFuncToAll('multiplySeries')},
{text: 'Min Values', handler: applyFuncToAll('minSeries')},
{text: 'Max Values', handler: applyFuncToAll('maxSeries')},
{text: 'Group', handler: applyFuncToAll('group')},
{text: 'Range', handler: applyFuncToAll('rangeOfSeries')},
{text: 'Count', handler: applyFuncToEach('countSeries')}
]
}, {
text: 'Transform',
menu: [
{text: 'Scale', handler: applyFuncToEachWithInput('scale', 'Please enter a scale factor')},
{text: 'ScaleToSeconds', handler: applyFuncToEachWithInput('scaleToSeconds', 'Please enter a number of seconds to scale to')},
{text: 'Offset', handler: applyFuncToEachWithInput('offset', 'Please enter the value to offset Y-values by')},
{text: 'Derivative', handler: applyFuncToEach('derivative')},
{text: 'Integral', handler: applyFuncToEach('integral')},
{text: 'Percentile Values', handler: applyFuncToEachWithInput('percentileOfSeries', "Please enter the percentile to use")},
{text: 'Non-negative Derivative', handler: applyFuncToEachWithInput('nonNegativeDerivative', "Please enter a maximum value if this metric is a wrapping counter (or just leave this blank)", {allowBlank: true})},
{text: 'Log', handler: applyFuncToEachWithInput('log', 'Please enter a base')},
{text: 'Absolute Value', handler: applyFuncToEach('absolute')},
{text: 'timeShift', handler: applyFuncToEachWithInput('timeShift', 'Shift this metric ___ back in time (examples: 10min, 7d, 2w)', {quote: true})},
{text: 'Summarize', handler: applyFuncToEachWithInput('summarize', 'Please enter a summary interval (examples: 10min, 1h, 7d)', {quote: true})},
{text: 'Hit Count', handler: applyFuncToEachWithInput('hitcount', 'Please enter a summary interval (examples: 10min, 1h, 7d)', {quote: true})}
]
}, {
text: 'Calculate',
menu: [
{text: 'Moving Average', handler: applyFuncToEachWithInput('movingAverage', 'Moving average for the last ___ data points')},
{text: 'Moving Median', handler: applyFuncToEachWithInput('movingMedian', 'Moving median for the last ___ data points')},
{text: 'Moving Standard Deviation', handler: applyFuncToEachWithInput('stdev', 'Moving standard deviation for the last ___ data points')},
{text: 'Holt-Winters Forecast', handler: applyFuncToEach('holtWintersForecast')},
{text: 'Holt-Winters Confidence Bands', handler: applyFuncToEach('holtWintersConfidenceBands')},
{text: 'Holt-Winters Aberration', handler: applyFuncToEach('holtWintersAberration')},
{text: 'As Percent', handler: applyFuncToEachWithInput('asPercent', 'Please enter the value that corresponds to 100% or leave blank to use the total', {allowBlank: true})},
{text: 'Difference (of 2 series)', handler: applyFuncToAll('diffSeries')},
{text: 'Ratio (of 2 series)', handler: applyFuncToAll('divideSeries')}
]
}, {
text: 'Filter',
menu: [
{
text: 'Data Filters',
menu: [
{text: 'Remove Above Value', handler: applyFuncToEachWithInput('removeAboveValue', 'Set any values above ___ to None')},
{text: 'Remove Above Percentile', handler: applyFuncToEachWithInput('removeAbovePercentile', 'Set any values above the ___th percentile to None')},
{text: 'Remove Below Value', handler: applyFuncToEachWithInput('removeBelowValue', 'Set any values below ___ to None')},
{text: 'Remove Below Percentile', handler: applyFuncToEachWithInput('removeBelowPercentile', 'Set any values below the ___th percentile to None')}
]
},
{text: 'Most Deviant', handler: applyFuncToEachWithInput('mostDeviant', 'Draw the ___ metrics with the highest standard deviation')},
{text: 'Highest Current Value', handler: applyFuncToEachWithInput('highestCurrent', 'Draw the ___ metrics with the highest current value')},
{text: 'Lowest Current Value', handler: applyFuncToEachWithInput('lowestCurrent', 'Draw the ___ metrics with the lowest current value')},
{text: 'Highest Maximum Value', handler: applyFuncToEachWithInput('highestMax', 'Draw the ___ metrics with the highest maximum value')},
{text: 'Nth Percentile Value', handler: applyFuncToEachWithInput('nPercentile', 'Draw the ___th Percentile for each metric.')},
{text: 'Current Value Above', handler: applyFuncToEachWithInput('currentAbove', 'Draw all metrics whose current value is above ___')},
{text: 'Current Value Below', handler: applyFuncToEachWithInput('currentBelow', 'Draw all metrics whose current value is below ___')},
{text: 'Highest Average Value', handler: applyFuncToEachWithInput('highestAverage', 'Draw the ___ metrics with the highest average value')},
{text: 'Lowest Average Value', handler: applyFuncToEachWithInput('lowestAverage', 'Draw the ___ metrics with the lowest average value')},
{text: 'Average Value Above', handler: applyFuncToEachWithInput('averageAbove', 'Draw all metrics whose average value is above ___')},
{text: 'Average Value Below', handler: applyFuncToEachWithInput('averageBelow', 'Draw all metrics whose average value is below ___')},
{text: 'Maximum Value Above', handler: applyFuncToEachWithInput('maximumAbove', 'Draw all metrics whose maximum value is above ___')},
{text: 'Maximum Value Below', handler: applyFuncToEachWithInput('maximumBelow', 'Draw all metrics whose maximum value is below ___')},
{text: 'Minimum Value Above', handler: applyFuncToEachWithInput('minimumAbove', 'Draw all metrics whose minimum value is above ___')},
{text: 'sortByMaxima', handler: applyFuncToEach('sortByMaxima')},
{text: 'sortByMinima', handler: applyFuncToEach('sortByMinima')},
{text: 'limit', handler: applyFuncToEachWithInput('limit', 'Limit to first ___ of a list of metrics')},
{text: 'Exclude', handler: applyFuncToEachWithInput('exclude', 'Exclude metrics that match a regular expression')}
]
}, {
text: 'Special',
menu: [
{text: 'Set Legend Name', handler: applyFuncToEachWithInput('alias', 'Enter a legend label for this graph target', {quote: true})},
{text: 'Set Legend Name By Metric', handler: applyFuncToEach('aliasByMetric')},
{text: 'Set Legend Name By Node', handler: applyFuncToEachWithInput('aliasByNode', 'Enter the 0-indexed node to display')},
{text: 'Add Values to Legend Name',
menu: [
{text: "Cacti Style Legend", handler: applyFuncToEach('cactiStyle')},
{text: "Last Value", handler: applyFuncToEach('legendValue', '"last"')},
{text: "Average Value", handler: applyFuncToEach('legendValue', '"avg"')},
{text: "Total Value", handler: applyFuncToEach('legendValue', '"total"')},
{text: "Min Value", handler: applyFuncToEach('legendValue', '"min"')},
{text: "Max Value", handler: applyFuncToEach('legendValue', '"max"')}
]},
{text: 'Color', handler: applyFuncToEachWithInput('color', 'Set the color for this graph target', {quote: true})},
{text: 'Alpha', handler: applyFuncToEachWithInput('alpha', 'Set the alpha (transparency) for this graph target (between 0.0 and 1.0)')},
{text: 'Consolidate By',
menu: [
{text: "Sum", handler: applyFuncToEach('consolidateBy', '"sum"')},
{text: "Max", handler: applyFuncToEach('consolidateBy', '"max"')},
{text: "Min", handler: applyFuncToEach('consolidateBy', '"min"')}
]},
{text: 'Draw non-zero As Infinite', handler: applyFuncToEach('drawAsInfinite')},
{text: 'Line Width', handler: applyFuncToEachWithInput('lineWidth', 'Please enter a line width for this graph target')},
{text: 'Dashed Line', handler: applyFuncToEach('dashed')},
{text: 'Keep Last Value', handler: applyFuncToEachWithInput('keepLastValue', 'Please enter the maximum number of "None" datapoints to overwrite, or leave empty for no limit. (default: empty)', {allowBlank: true})},
{text: 'Transform Nulls', handler: applyFuncToEachWithInput('transformNull', 'Please enter the value to transform null values to')},
{text: 'Substring', handler: applyFuncToEachWithInput('substr', 'Enter a starting position')},
{text: 'Group', handler: applyFuncToAll('group')},
{text: 'Area Between', handler: applyFuncToEach('areaBetween')},
// {text: 'GroupByNode', handler: applyFuncToEachWithInput('group')}, // requires 2 parameters
// {text: 'Add Threshold Line', handler: applyFuncToEachWithInput('threshold', 'Enter a threshold value')},
{text: 'Draw Stacked', handler: applyFuncToEach('stacked')},
{text: 'Draw in Second Y Axis', handler: applyFuncToEach('secondYAxis')}
]
}
];
}
/* Auto-Refresh feature */
function toggleAutoRefresh(button, pressed) {
//A closure makes this really simple
var doRefresh = function () {
Composer.updateImage();
//var interval = Math.min.apply(null, [context['interval'] for each (context in MetricContexts)] || [0]) || 60;
var interval = 60;
button.timer = setTimeout(doRefresh, interval * 1000)
}
if (button.timer) { // AutoRefresh is on
if (!pressed) { // The button was untoggled, turn off AutoRefresh
clearTimeout(button.timer);
button.timer = null;
}
} else { // AutoRefresh is off
if (pressed) { // The button was toggled, turn on AutoRefresh
doRefresh();
}
}
}
/* Display Options Menu */
function createOptionsMenu() {
var yAxisUnitMenu = new Ext.menu.Menu({
items: [
menuRadioItem("yUnit", "Standard", "yUnitSystem", "si"),
menuRadioItem("yUnit", "Binary", "yUnitSystem", "binary"),
menuRadioItem("yUnit", "None", "yUnitSystem", "none")
]
});
var yAxisSideMenu = new Ext.menu.Menu({
items: [
menuRadioItem("yAxis", "Left", "yAxisSide", "left"),
menuRadioItem("yAxis", "Right", "yAxisSide", "right")
]
});
var yAxisLeftMenu = new Ext.menu.Menu({
items: [
menuInputItem("Left Y Label", "vtitle", "Left Y Label", /^$/),
menuInputItem("Left Y Minimum", "yMinLeft"),
menuInputItem("Left Y Maximum", "yMaxLeft"),
menuInputItem("Left Y Limit", "yLimitLeft"),
menuInputItem("Left Y Step", "yStepLeft"),
menuInputItem("Left Line Width", "leftWidth"),
menuInputItem("Left Line Color", "leftColor"),
menuInputItem("Left Line Dashed (length, in px)", "leftDashed")
]
});
var yAxisRightMenu = new Ext.menu.Menu({
items: [
menuInputItem("Right Y Label", "vtitleRight", "Right Y Label", /^$/),
menuInputItem("Right Y Minimum", "yMinRight"),
menuInputItem("Right Y Maximum", "yMaxRight"),
menuInputItem("Right Y Limit", "yLimitRight"),
menuInputItem("Right Y Step", "yStepRight"),
menuInputItem("Right Line Width", "rightWidth"),
menuInputItem("Right Line Color", "rightColor"),
menuInputItem("Right Line Dashed (length, in px)", "rightDashed")
]
});
var SecondYAxisMenu = new Ext.menu.Menu({
items: [
{text: "Left Y-Axis", menu: yAxisLeftMenu},
{text: "Right Y-Axis", menu: yAxisRightMenu}
]
});
var yAxisMenu = new Ext.menu.Menu({
items: [
menuInputItem("Label", "vtitle", "Y-Axis Label", /^$/),
menuInputItem("Minimum", "yMin"),
menuInputItem("Maximum", "yMax"),
menuInputItem("Minor Lines", "minorY", "Enter the number of minor lines to draw", /^[a-zA-Z]/),
menuInputItem("Logarithmic Scale", "logBase", "Enter the logarithmic base to use (ie. 10, e, etc...)"),
menuInputItem("Step", "yStep", "Enter the Y-axis step to use (e.g. 0.2)"),
menuInputItem("Divisors", "yDivisors", "Enter the target number of intermediate Y-axis values (e.g. 4,5,6)", /^[a-zA-Z]/),
{text: "Unit", menu: yAxisUnitMenu},
{text: "Side", menu: yAxisSideMenu},
{text: "Dual Y-Axis Options", menu: SecondYAxisMenu},
menuHelpItem("Dual Y-Axis Help", "To select metrics to associate with the second (right-side) y-axis, go into the Graph Data dialog box, highlight a metric, click Apply Functions, Special, Second Y Axis.")
]
});
var xAxisMenu = new Ext.menu.Menu({
items: [
menuInputItem("Time Format", "xFormat", "Enter the time format (see Python's datetime.strftime())", /^$/),
menuInputItem("Timezone", "tz", "Enter the timezone to display (e.g. UTC or America/Chicago)", /^$/),
menuInputItem("Point-width Consolidation Threshold", "minXStep", "Enter the closest number of pixels between points before consolidation")
]
});
var areaMenu = new Ext.menu.Menu({
items: [
menuRadioItem("area", "None", "areaMode", ""),
menuRadioItem("area", "First Only", "areaMode", "first"),
menuRadioItem("area", "Stacked", "areaMode", "stacked"),
menuRadioItem("area", "All", "areaMode", "all")
]
});
var lineMenu = new Ext.menu.Menu({
items: [
menuRadioItem("line", "Slope Line (default)", "lineMode", ""),
menuRadioItem("line", "Staircase Line", "lineMode", "staircase"),
menuRadioItem("line", "Connected Line", "lineMode", "connected"),
menuInputItem("Connected Line Limit", "connectedLimit", "The number of consecutive None values to jump over when in connected line mode. (default: no limit, leave empty)"),
menuCheckItem("Draw Null as Zero", "drawNullAsZero")
]
});
var fontFacesMenu = new Ext.menu.Menu({
items: [
menuRadioItem("fontFace", "Sans", "fontName", "Sans"),
menuRadioItem("fontFace", "Times", "fontName", "Times"),
menuRadioItem("fontFace", "Courier", "fontName", "Courier"),
menuRadioItem("fontFace", "Helvetica", "fontName", "Helvetica")
]
});
var fontMenu = new Ext.menu.Menu({
items: [
{text: "Face", menu: fontFacesMenu},
{
text: "Style",
menu: {
items: [
menuCheckItem("Italics", "fontItalic"),
menuCheckItem("Bold", "fontBold")
]
}
},
menuInputItem("Size", "fontSize", "Enter the font size in pt"),
{text: "Color", menu: createColorMenu('fgcolor')}
]
});
var displayMenu = new Ext.menu.Menu({
items: [
{text: "Font", menu: fontMenu},
{
text: "Color",
menu: {
items: [
menuInputItem("Line Colors", "colorList", "Enter an ordered list of comma-separated colors (name or hex values)", /^$/),
{text: "Background", menu: createColorMenu('bgcolor')},
{text: "Major Grid Line", menu: createColorMenu('majorGridLineColor')},
{text: "Minor Grid Line", menu: createColorMenu('minorGridLineColor')},
menuInputItem("Filled Area Alpha Value", "areaAlpha", "Enter the alpha value (between 0.0 and 1.0)")
]
}
},
{
text: "Graph Legend",
menu: {
items: [
menuRadioItem("legend", "Hide If Too Many", "hideLegend"),
menuRadioItem("legend", "Always Hide", "hideLegend", "true"),
menuRadioItem("legend", "Never Hide", "hideLegend", "false"),
menuCheckItem("Hide Duplicate Items", "uniqueLegend")
]
}
},
menuInputItem("Line Thickness", "lineWidth", "Enter the line thickness in pixels"),
menuCheckItem("Graph Only", "graphOnly"),
menuCheckItem("Hide Axes", "hideAxes"),
menuCheckItem("Hide Y-Axis", "hideYAxis"),
menuCheckItem("Hide Grid", "hideGrid"),
menuInputItem("Apply Template", "template", "Enter the name of a template defined in graphTemplates.conf", /^$/)
]
});
return {
xtype: 'menu',
items: [
menuInputItem("Graph Title", "title", "Graph Title", /^$/),
{text: "Display", menu: displayMenu},
{text: "Line Mode", menu: lineMenu},
{text: "Area Mode", menu: areaMenu},
{text: "X-Axis", menu: xAxisMenu},
{text: "Y-Axis", menu: yAxisMenu}
]
};
}
/* Graph Options API */
function updateGraph() {
return Composer.updateImage();
}
function getParam(param) {
return Composer.url.getParam(param);
}
function setParam(param, value) {
return Composer.url.setParam(param, value);
}
function removeParam(param) {
return Composer.url.removeParam(param);
}
/* End of Graph Options API */
function createColorMenu(param) {
var colorPicker = new Ext.menu.ColorMenu({hideOnClick: false});
colorPicker.on('select',
function (palette, color) {
setParam(param, color);
updateGraph();
}
);
return colorPicker;
}
function menuInputItem(name, param, question, regexp) {
return new Ext.menu.Item({text: name, handler: paramPrompt(question || name, param, regexp)});
}
function menuHelpItem(name, message) {
return new Ext.menu.Item({text: name, handler: helpMessage(name, message)});
}
function paramPrompt(question, param, regexp) {
if(regexp == null) {
regexp = /[^A-Za-z0-9_.\-]/;
}
return function (menuItem, e) {
Ext.MessageBox.prompt(
"Input Required",
question,
function (button, value) {
if (value.search(regexp) != -1) {
Ext.Msg.alert("Input can only contain letters, numbers, underscores, or periods.");
return;
}
if (value.charAt(value.length - 1) == '.') {
Ext.Msg.alert("Input cannot end in a period.");
return;
}
setParam(param, value);
updateGraph();
},
this, //scope
false, //multiline
getParam(param) || "" //default value
);
};
}
function helpMessage(myTitle, myMessage) {
return function (menuItem, e) {
Ext.MessageBox.show(
{title: myTitle,
msg: myMessage,
button: Ext.MessageBox.OK
}
);
};
}
var checkItems = [];
function menuCheckItem(name, param, paramValue) {
var checkItem = new Ext.menu.CheckItem({text: name, param: param, hideOnClick: false});
checkItems.push(checkItem); //keep a list of each check item we create so we can update them later
checkItem.on('checkchange',
function (item, checked) {
if (paramValue) { // Set param to a specific value
if (checked) {
setParam(param, paramValue);
} else { // Remove the param if we're being unchecked
removeParam(param);
}
} else { // Set the param to true/false
setParam(param, checked.toString());
}
updateGraph();
}
);
return checkItem;
}
function menuRadioItem(groupName, name, param, paramValue ) {
var selectItem = new Ext.menu.CheckItem({text: name, param: param, hideOnClick: false, group: groupName, checked: (paramValue ? false : true)});
selectItem.on('checkchange',
function( item, clicked ) {
if( paramValue ) {
setParam(param, paramValue);
} else {
removeParam(param);
}
updateGraph();
}
);
return selectItem;
}
function updateCheckItems() {
Ext.each(checkItems,
function (item) {
var param = item.initialConfig.param;
item.setChecked(getParam(param) ? true : false, true);
}
);
}
|