]> git.proxmox.com Git - pve-manager.git/blame - www/manager6/Utils.js
ui: qga: Add option to turn off QGA fs-freeze/-thaw on backup
[pve-manager.git] / www / manager6 / Utils.js
CommitLineData
b0a6d326
EK
1Ext.ns('PVE');
2
4d739f4a 3console.log("Starting Proxmox VE Manager");
b0a6d326
EK
4
5Ext.Ajax.defaultHeaders = {
f6710aac 6 'Accept': 'application/json',
b0a6d326
EK
7};
8
8058410f
TL
9Ext.define('PVE.Utils', {
10 utilities: {
b0a6d326 11
9fa2e36d 12 // this singleton contains miscellaneous utilities
b0a6d326 13
0be88ae1 14 toolkit: undefined, // (extjs|touch), set inside Toolkit.js
b0a6d326 15
3b5617cc 16 bus_match: /^(ide|sata|virtio|scsi)(\d+)$/,
98a01af2 17
b0a6d326
EK
18 log_severity_hash: {
19 0: "panic",
20 1: "alert",
21 2: "critical",
22 3: "error",
23 4: "warning",
24 5: "notice",
25 6: "info",
f6710aac 26 7: "debug",
b0a6d326
EK
27 },
28
29 support_level_hash: {
30 'c': gettext('Community'),
31 'b': gettext('Basic'),
32 's': gettext('Standard'),
f6710aac 33 'p': gettext('Premium'),
b0a6d326
EK
34 },
35
301f52b1
TL
36 noSubKeyHtml: 'You do not have a valid subscription for this server. Please visit '
37 +'<a target="_blank" href="https://www.proxmox.com/products/proxmox-ve/subscription-service-plans">'
38 +'www.proxmox.com</a> to get a list of available options.',
b0a6d326 39
e6a1160f
TL
40 getClusterSubscriptionLevel: async function() {
41 let { result } = await Proxmox.Async.api2({ url: '/cluster/status' });
42 let levelMap = Object.fromEntries(
43 result.data.filter(v => v.type === 'node').map(v => [v.name, v.level]),
44 );
45 return levelMap;
46 },
47
b0a6d326 48 kvm_ostypes: {
45d6c71a 49 'Linux': [
a2ff227e 50 { desc: '6.x - 2.6 Kernel', val: 'l26' },
f6710aac 51 { desc: '2.4 Kernel', val: 'l24' },
45d6c71a
TL
52 ],
53 'Microsoft Windows': [
a9175b0b 54 { desc: '11/2022', val: 'win11' },
beb3c8a4 55 { desc: '10/2016/2019', val: 'win10' },
45d6c71a
TL
56 { desc: '8.x/2012/2012r2', val: 'win8' },
57 { desc: '7/2008r2', val: 'win7' },
58 { desc: 'Vista/2008', val: 'w2k8' },
59 { desc: 'XP/2003', val: 'wxp' },
f6710aac 60 { desc: '2000', val: 'w2k' },
45d6c71a
TL
61 ],
62 'Solaris Kernel': [
8058410f 63 { desc: '-', val: 'solaris' },
45d6c71a
TL
64 ],
65 'Other': [
8058410f 66 { desc: '-', val: 'other' },
f6710aac 67 ],
b0a6d326
EK
68 },
69
43798244
SR
70 is_windows: function(ostype) {
71 for (let entry of PVE.Utils.kvm_ostypes['Microsoft Windows']) {
72 if (entry.val === ostype) {
73 return true;
74 }
75 }
76 return false;
77 },
78
428bc4a2
DC
79 get_health_icon: function(state, circle) {
80 if (circle === undefined) {
81 circle = false;
82 }
83
84 if (state === undefined) {
85 state = 'uknown';
86 }
87
88 var icon = 'faded fa-question';
8058410f 89 switch (state) {
428bc4a2
DC
90 case 'good':
91 icon = 'good fa-check';
92 break;
23c83a3a
DC
93 case 'upgrade':
94 icon = 'warning fa-upload';
95 break;
aa240b29
DC
96 case 'old':
97 icon = 'warning fa-refresh';
98 break;
428bc4a2
DC
99 case 'warning':
100 icon = 'warning fa-exclamation';
101 break;
102 case 'critical':
103 icon = 'critical fa-times';
104 break;
105 default: break;
106 }
107
108 if (circle) {
109 icon += '-circle';
110 }
111
112 return icon;
113 },
114
95d0de89
DC
115 parse_ceph_version: function(service) {
116 if (service.ceph_version_short) {
117 return service.ceph_version_short;
118 }
119
120 if (service.ceph_version) {
35306f47 121 var match = service.ceph_version.match(/version (\d+(\.\d+)*)/);
95d0de89
DC
122 if (match) {
123 return match[1];
124 }
125 }
126
127 return undefined;
128 },
129
005e0a60 130 compare_ceph_versions: function(a, b) {
3a08795a
DC
131 let avers = [];
132 let bvers = [];
133
005e0a60
DC
134 if (a === b) {
135 return 0;
136 }
3a08795a
DC
137
138 if (Ext.isArray(a)) {
139 avers = a.slice(); // copy array
140 } else {
141 avers = a.toString().split('.');
142 }
143
144 if (Ext.isArray(b)) {
145 bvers = b.slice(); // copy array
146 } else {
147 bvers = b.toString().split('.');
148 }
35306f47 149
4d739f4a 150 for (;;) {
35306f47
TL
151 let av = avers.shift();
152 let bv = bvers.shift();
153
154 if (av === undefined && bv === undefined) {
155 return 0;
8058410f 156 } else if (av === undefined) {
35306f47
TL
157 return -1;
158 } else if (bv === undefined) {
159 return 1;
160 } else {
161 let diff = parseInt(av, 10) - parseInt(bv, 10);
4d739f4a 162 if (diff !== 0) return diff;
35306f47 163 // else we need to look at the next parts
005e0a60
DC
164 }
165 }
005e0a60
DC
166 },
167
2f5b82ae
DC
168 get_ceph_icon_html: function(health, fw) {
169 var state = PVE.Utils.map_ceph_health[health];
170 var cls = PVE.Utils.get_health_icon(state);
171 if (fw) {
172 cls += ' fa-fw';
173 }
174 return "<i class='fa " + cls + "'></i> ";
175 },
176
046e640c 177 map_ceph_health: {
8058410f
TL
178 'HEALTH_OK': 'good',
179 'HEALTH_UPGRADE': 'upgrade',
180 'HEALTH_OLD': 'old',
181 'HEALTH_WARN': 'warning',
182 'HEALTH_ERR': 'critical',
046e640c
DC
183 },
184
4d739f4a 185 render_sdn_pending: function(rec, value, key, index) {
1d9643f6
AD
186 if (rec.data.state === undefined || rec.data.state === null) {
187 return value;
188 }
189
190 if (rec.data.state === 'deleted') {
191 if (value === undefined) {
192 return ' ';
193 } else {
194 return '<div style="text-decoration: line-through;">'+ value +'</div>';
195 }
4d739f4a
TL
196 } else if (rec.data.pending[key] !== undefined && rec.data.pending[key] !== null) {
197 if (rec.data.pending[key] === 'deleted') {
198 return ' ';
1d9643f6 199 } else {
4d739f4a 200 return rec.data.pending[key];
1d9643f6
AD
201 }
202 }
203 return value;
204 },
205
4d739f4a 206 render_sdn_pending_state: function(rec, value) {
1d9643f6
AD
207 if (value === undefined || value === null) {
208 return ' ';
209 }
210
211 let icon = `<i class="fa fa-fw fa-refresh warning"></i>`;
212
213 if (value === 'deleted') {
214 return '<span>' + icon + value + '</span>';
215 }
216
4d739f4a 217 let tip = gettext('Pending Changes') + ': <br>';
1d9643f6
AD
218
219 for (const [key, keyvalue] of Object.entries(rec.data.pending)) {
4d739f4a
TL
220 if ((rec.data[key] !== undefined && rec.data.pending[key] !== rec.data[key]) ||
221 rec.data[key] === undefined
222 ) {
223 tip += `${key}: ${keyvalue} <br>`;
1d9643f6
AD
224 }
225 }
226 return '<span data-qtip="' + tip + '">'+ icon + value + '</span>';
227 },
228
dfe6d184 229 render_ceph_health: function(healthObj) {
046e640c
DC
230 var state = {
231 iconCls: PVE.Utils.get_health_icon(),
f6710aac 232 text: '',
046e640c
DC
233 };
234
dfe6d184 235 if (!healthObj || !healthObj.status) {
046e640c
DC
236 return state;
237 }
238
dfe6d184 239 var health = PVE.Utils.map_ceph_health[healthObj.status];
046e640c
DC
240
241 state.iconCls = PVE.Utils.get_health_icon(health, true);
dfe6d184 242 state.text = healthObj.status;
046e640c
DC
243
244 return state;
245 },
246
fee716d3 247 render_zfs_health: function(value) {
4d739f4a 248 if (typeof value === 'undefined') {
8c8604ba
TM
249 return "";
250 }
fee716d3
DC
251 var iconCls = 'question-circle';
252 switch (value) {
8c8604ba 253 case 'AVAIL':
fee716d3
DC
254 case 'ONLINE':
255 iconCls = 'check-circle good';
256 break;
257 case 'REMOVED':
258 case 'DEGRADED':
259 iconCls = 'exclamation-circle warning';
260 break;
261 case 'UNAVAIL':
262 case 'FAULTED':
263 case 'OFFLINE':
264 iconCls = 'times-circle critical';
265 break;
266 default: //unknown
267 }
268
269 return '<i class="fa fa-' + iconCls + '"></i> ' + value;
270 },
271
14ba33fb
TL
272 render_pbs_fingerprint: fp => fp.substring(0, 23),
273
3003a59d
TL
274 render_backup_encryption: function(v, meta, record) {
275 if (!v) {
276 return gettext('No');
277 }
278
279 let tip = '';
280 if (v.match(/^[a-fA-F0-9]{2}:/)) { // fingerprint
281 tip = `Key fingerprint ${PVE.Utils.render_pbs_fingerprint(v)}`;
282 }
283 let icon = `<i class="fa fa-fw fa-lock good"></i>`;
284 return `<span data-qtip="${tip}">${icon} ${gettext('Encrypted')}</span>`;
285 },
286
770d614f
TL
287 render_backup_verification: function(v, meta, record) {
288 let i = (cls, txt) => `<i class="fa fa-fw fa-${cls}"></i> ${txt}`;
289 if (v === undefined || v === null) {
290 return i('question-circle-o warning', gettext('None'));
291 }
8058410f 292 let tip = "";
770d614f
TL
293 let txt = gettext('Failed');
294 let iconCls = 'times critical';
295 if (v.state === 'ok') {
296 txt = gettext('OK');
297 iconCls = 'check good';
298 let now = Date.now() / 1000;
299 let task = Proxmox.Utils.parse_task_upid(v.upid);
300 let verify_time = Proxmox.Utils.render_timestamp(task.starttime);
301 tip = `Last verify task started on ${verify_time}`;
302 if (now - v.starttime > 30 * 24 * 60 * 60) {
303 tip = `Last verify task over 30 days ago: ${verify_time}`;
304 iconCls = 'check warning';
305 }
306 }
307 return `<span data-qtip="${tip}"> ${i(iconCls, txt)} </span>`;
308 },
309
01ad47af 310 render_backup_status: function(value, meta, record) {
4d739f4a 311 if (typeof value === 'undefined') {
01ad47af
AL
312 return "";
313 }
314
315 let iconCls = 'check-circle good';
316 let text = gettext('Yes');
317
318 if (!PVE.Parser.parseBoolean(value.toString())) {
319 iconCls = 'times-circle critical';
320
321 text = gettext('No');
322
323 let reason = record.get('reason');
324 if (typeof reason !== 'undefined') {
325 if (reason in PVE.Utils.backup_reasons_table) {
326 reason = PVE.Utils.backup_reasons_table[record.get('reason')];
327 }
328 text = `${text} - ${reason}`;
329 }
330 }
331
332 return `<i class="fa fa-${iconCls}"></i> ${text}`;
333 },
334
7f08d0d1
AL
335 render_backup_days_of_week: function(val) {
336 var dows = ['sun', 'mon', 'tue', 'wed', 'thu', 'fri', 'sat'];
337 var selected = [];
338 var cur = -1;
8058410f 339 val.split(',').forEach(function(day) {
7f08d0d1
AL
340 cur++;
341 var dow = (dows.indexOf(day)+6)%7;
342 if (cur === dow) {
343 if (selected.length === 0 || selected[selected.length-1] === 0) {
344 selected.push(1);
345 } else {
346 selected[selected.length-1]++;
347 }
348 } else {
349 while (cur < dow) {
350 cur++;
351 selected.push(0);
352 }
353 selected.push(1);
354 }
355 });
356
357 cur = -1;
358 var days = [];
359 selected.forEach(function(item) {
360 cur++;
361 if (item > 2) {
53e3ea84 362 days.push(Ext.Date.dayNames[cur+1] + '-' + Ext.Date.dayNames[(cur+item)%7]);
7f08d0d1 363 cur += item-1;
4d739f4a 364 } else if (item === 2) {
7f08d0d1
AL
365 days.push(Ext.Date.dayNames[cur+1]);
366 days.push(Ext.Date.dayNames[(cur+2)%7]);
367 cur++;
4d739f4a 368 } else if (item === 1) {
7f08d0d1
AL
369 days.push(Ext.Date.dayNames[(cur+1)%7]);
370 }
371 });
372 return days.join(', ');
373 },
374
375 render_backup_selection: function(value, metaData, record) {
376 let allExceptText = gettext('All except {0}');
377 let allText = '-- ' + gettext('All') + ' --';
378 if (record.data.all) {
379 if (record.data.exclude) {
380 return Ext.String.format(allExceptText, record.data.exclude);
381 }
382 return allText;
383 }
384 if (record.data.vmid) {
385 return record.data.vmid;
386 }
387
388 if (record.data.pool) {
389 return "Pool '"+ record.data.pool + "'";
390 }
391
392 return "-";
393 },
394
01ad47af
AL
395 backup_reasons_table: {
396 'backup=yes': gettext('Enabled'),
397 'backup=no': gettext('Disabled'),
398 'enabled': gettext('Enabled'),
399 'disabled': gettext('Disabled'),
400 'not a volume': gettext('Not a volume'),
401 'efidisk but no OMVF BIOS': gettext('EFI Disk without OMVF BIOS'),
402 },
403
04389e49
TL
404 renderNotFound: what => Ext.String.format(gettext("No {0} found"), what),
405
45d6c71a
TL
406 get_kvm_osinfo: function(value) {
407 var info = { base: 'Other' }; // default
408 if (value) {
409 Ext.each(Object.keys(PVE.Utils.kvm_ostypes), function(k) {
410 Ext.each(PVE.Utils.kvm_ostypes[k], function(e) {
411 if (e.val === value) {
412 info = { desc: e.desc, base: k };
413 }
414 });
415 });
b0a6d326 416 }
45d6c71a
TL
417 return info;
418 },
419
8058410f 420 render_kvm_ostype: function(value) {
45d6c71a
TL
421 var osinfo = PVE.Utils.get_kvm_osinfo(value);
422 if (osinfo.desc && osinfo.desc !== '-') {
423 return osinfo.base + ' ' + osinfo.desc;
424 } else {
425 return osinfo.base;
b0a6d326 426 }
b0a6d326
EK
427 },
428
8058410f 429 render_hotplug_features: function(value) {
23d3881a 430 var fa = [];
b0a6d326 431
53e3ea84 432 if (!value || value === '0') {
ec99b1c3 433 return gettext('Disabled');
b0a6d326
EK
434 }
435
4dcca8a4
DC
436 if (value === '1') {
437 value = 'disk,network,usb';
438 }
439
b0a6d326
EK
440 Ext.each(value.split(','), function(el) {
441 if (el === 'disk') {
442 fa.push(gettext('Disk'));
443 } else if (el === 'network') {
444 fa.push(gettext('Network'));
445 } else if (el === 'usb') {
b9628aa5 446 fa.push('USB');
b0a6d326
EK
447 } else if (el === 'memory') {
448 fa.push(gettext('Memory'));
449 } else if (el === 'cpu') {
450 fa.push(gettext('CPU'));
451 } else {
452 fa.push(el);
453 }
454 });
455
456 return fa.join(', ');
457 },
458
0beff18b
FE
459 render_localtime: function(value) {
460 if (value === '__default__') {
461 return Proxmox.Utils.defaultText + ' (' + gettext('Enabled for Windows') + ')';
462 }
463 return Proxmox.Utils.format_boolean(value);
464 },
465
4d739f4a
TL
466 render_qga_features: function(config) {
467 if (!config) {
8058410f 468 return Proxmox.Utils.defaultText + ' (' + Proxmox.Utils.disabledText + ')';
1662ccdb 469 }
4d739f4a
TL
470 let qga = PVE.Parser.parsePropertyString(config, 'enabled');
471 if (!PVE.Parser.parseBoolean(qga.enabled)) {
1662ccdb
SI
472 return Proxmox.Utils.disabledText;
473 }
4d739f4a 474 delete qga.enabled;
1662ccdb 475
4d739f4a 476 let agentstring = Proxmox.Utils.enabledText;
1662ccdb 477
4d739f4a
TL
478 for (const [key, value] of Object.entries(qga)) {
479 let displayText = Proxmox.Utils.disabledText;
5a6c563c
MD
480 if (key === 'type') {
481 let map = {
482 isa: "ISA",
176a62d3 483 virtio: "VirtIO",
5a6c563c 484 };
4d739f4a 485 displayText = map[value] || Proxmox.Utils.unknownText;
8bb027f8
CH
486 } else if (key === 'freeze-fs-on-backup' && PVE.Parser.parseBoolean(value)) {
487 continue;
4d739f4a
TL
488 } else if (PVE.Parser.parseBoolean(value)) {
489 displayText = Proxmox.Utils.enabledText;
1662ccdb 490 }
4d739f4a
TL
491 agentstring += `, ${key}: ${displayText}`;
492 }
1662ccdb
SI
493
494 return agentstring;
495 },
496
a1ee14a2 497 render_qemu_machine: function(value) {
53e3ea84 498 return value || Proxmox.Utils.defaultText + ' (i440fx)';
a1ee14a2
DC
499 },
500
17c71f27
DC
501 render_qemu_bios: function(value) {
502 if (!value) {
e7ade592 503 return Proxmox.Utils.defaultText + ' (SeaBIOS)';
17c71f27
DC
504 } else if (value === 'seabios') {
505 return "SeaBIOS";
506 } else if (value === 'ovmf') {
507 return "OVMF (UEFI)";
508 } else {
509 return value;
510 }
511 },
512
8f17b496
TL
513 render_dc_ha_opts: function(value) {
514 if (!value) {
41ca3465 515 return Proxmox.Utils.defaultText;
8f17b496
TL
516 } else {
517 return PVE.Parser.printPropertyString(value);
518 }
519 },
afa725cd 520 render_as_property_string: v => !v ? Proxmox.Utils.defaultText : PVE.Parser.printPropertyString(v),
8f17b496 521
b0a6d326 522 render_scsihw: function(value) {
5ff69573 523 if (!value || value === '__default__') {
e7ade592 524 return Proxmox.Utils.defaultText + ' (LSI 53C895A)';
b0a6d326
EK
525 } else if (value === 'lsi') {
526 return 'LSI 53C895A';
527 } else if (value === 'lsi53c810') {
528 return 'LSI 53C810';
529 } else if (value === 'megasas') {
530 return 'MegaRAID SAS 8708EM2';
531 } else if (value === 'virtio-scsi-pci') {
49f5d1ab
EK
532 return 'VirtIO SCSI';
533 } else if (value === 'virtio-scsi-single') {
534 return 'VirtIO SCSI single';
b0a6d326
EK
535 } else if (value === 'pvscsi') {
536 return 'VMware PVSCSI';
537 } else {
538 return value;
539 }
540 },
541
9c22da32 542 render_spice_enhancements: function(values) {
9c22da32
AL
543 let props = PVE.Parser.parsePropertyString(values);
544 if (Ext.Object.isEmpty(props)) {
3b0facc9 545 return Proxmox.Utils.noneText;
9c22da32
AL
546 }
547
548 let output = [];
549 if (PVE.Parser.parseBoolean(props.foldersharing)) {
550 output.push('Folder Sharing: ' + gettext('Enabled'));
551 }
552 if (props.videostreaming === 'all' || props.videostreaming === 'filter') {
553 output.push('Video Streaming: ' + props.videostreaming);
554 }
555 return output.join(', ');
556 },
557
b0a6d326
EK
558 // fixme: auto-generate this
559 // for now, please keep in sync with PVE::Tools::kvmkeymaps
560 kvm_keymaps: {
b7004b46 561 '__default__': Proxmox.Utils.defaultText,
b0a6d326
EK
562 //ar: 'Arabic',
563 da: 'Danish',
0be88ae1
DC
564 de: 'German',
565 'de-ch': 'German (Swiss)',
566 'en-gb': 'English (UK)',
0a5b8747 567 'en-us': 'English (USA)',
b0a6d326
EK
568 es: 'Spanish',
569 //et: 'Estonia',
570 fi: 'Finnish',
0be88ae1
DC
571 //fo: 'Faroe Islands',
572 fr: 'French',
573 'fr-be': 'French (Belgium)',
b0a6d326
EK
574 'fr-ca': 'French (Canada)',
575 'fr-ch': 'French (Swiss)',
576 //hr: 'Croatia',
577 hu: 'Hungarian',
578 is: 'Icelandic',
0be88ae1 579 it: 'Italian',
b0a6d326
EK
580 ja: 'Japanese',
581 lt: 'Lithuanian',
582 //lv: 'Latvian',
0be88ae1 583 mk: 'Macedonian',
b0a6d326
EK
584 nl: 'Dutch',
585 //'nl-be': 'Dutch (Belgium)',
0be88ae1 586 no: 'Norwegian',
b0a6d326
EK
587 pl: 'Polish',
588 pt: 'Portuguese',
589 'pt-br': 'Portuguese (Brazil)',
590 //ru: 'Russian',
591 sl: 'Slovenian',
592 sv: 'Swedish',
593 //th: 'Thai',
f6710aac 594 tr: 'Turkish',
b0a6d326
EK
595 },
596
597 kvm_vga_drivers: {
b7004b46 598 '__default__': Proxmox.Utils.defaultText,
b0a6d326 599 std: gettext('Standard VGA'),
5ca366f2 600 vmware: gettext('VMware compatible'),
b0a6d326
EK
601 qxl: 'SPICE',
602 qxl2: 'SPICE dual monitor',
603 qxl3: 'SPICE three monitors',
604 qxl4: 'SPICE four monitors',
605 serial0: gettext('Serial terminal') + ' 0',
606 serial1: gettext('Serial terminal') + ' 1',
607 serial2: gettext('Serial terminal') + ' 2',
89ae1bb1
DC
608 serial3: gettext('Serial terminal') + ' 3',
609 virtio: 'VirtIO-GPU',
7d72d62f 610 'virtio-gl': 'VirGL GPU',
f6710aac 611 none: Proxmox.Utils.noneText,
b0a6d326
EK
612 },
613
8058410f 614 render_kvm_language: function(value) {
a8e22a83 615 if (!value || value === '__default__') {
e7ade592 616 return Proxmox.Utils.defaultText;
b0a6d326 617 }
b7004b46
TL
618 let text = PVE.Utils.kvm_keymaps[value];
619 return text ? `${text} (${value})` : value;
b0a6d326
EK
620 },
621
3438c27e 622 console_map: {
da9d14cd 623 '__default__': Proxmox.Utils.defaultText + ' (xterm.js)',
3438c27e
DC
624 'vv': 'SPICE (remote-viewer)',
625 'html5': 'HTML5 (noVNC)',
f6710aac 626 'xtermjs': 'xterm.js',
3438c27e
DC
627 },
628
b0a6d326 629 render_console_viewer: function(value) {
3438c27e 630 value = value || '__default__';
b7004b46 631 return PVE.Utils.console_map[value] || value;
755b9083
TL
632 },
633
8058410f 634 render_kvm_vga_driver: function(value) {
b0a6d326 635 if (!value) {
e7ade592 636 return Proxmox.Utils.defaultText;
b0a6d326 637 }
b7004b46
TL
638 let vga = PVE.Parser.parsePropertyString(value, 'type');
639 let text = PVE.Utils.kvm_vga_drivers[vga.type];
4f3e66d8
DC
640 if (!vga.type) {
641 text = Proxmox.Utils.defaultText;
642 }
b7004b46 643 return text ? `${text} (${value})` : value;
b0a6d326
EK
644 },
645
646 render_kvm_startup: function(value) {
647 var startup = PVE.Parser.parseStartup(value);
648
649 var res = 'order=';
650 if (startup.order === undefined) {
651 res += 'any';
652 } else {
653 res += startup.order;
654 }
655 if (startup.up !== undefined) {
656 res += ',up=' + startup.up;
657 }
658 if (startup.down !== undefined) {
659 res += ',down=' + startup.down;
660 }
661
662 return res;
663 },
664
b0a6d326
EK
665 extractFormActionError: function(action) {
666 var msg;
667 switch (action.failureType) {
668 case Ext.form.action.Action.CLIENT_INVALID:
669 msg = gettext('Form fields may not be submitted with invalid values');
670 break;
671 case Ext.form.action.Action.CONNECT_FAILURE:
672 msg = gettext('Connection error');
673 var resp = action.response;
674 if (resp.status && resp.statusText) {
675 msg += " " + resp.status + ": " + resp.statusText;
676 }
677 break;
678 case Ext.form.action.Action.LOAD_FAILURE:
679 case Ext.form.action.Action.SERVER_INVALID:
e7ade592 680 msg = Proxmox.Utils.extractRequestError(action.result, true);
b0a6d326
EK
681 break;
682 }
683 return msg;
684 },
685
0e244a29
DC
686 contentTypes: {
687 'images': gettext('Disk image'),
688 'backup': gettext('VZDump backup file'),
689 'vztmpl': gettext('Container template'),
690 'iso': gettext('ISO image'),
aef28e04 691 'rootdir': gettext('Container'),
f6710aac 692 'snippets': gettext('Snippets'),
0e244a29 693 },
b0a6d326 694
3b8f599b
DM
695 volume_is_qemu_backup: function(volid, format) {
696 return format === 'pbs-vm' || volid.match(':backup/vzdump-qemu-');
697 },
698
699 volume_is_lxc_backup: function(volid, format) {
700 return format === 'pbs-ct' || volid.match(':backup/vzdump-(lxc|openvz)-');
701 },
702
efff7eab
DC
703 authSchema: {
704 ad: {
705 name: gettext('Active Directory Server'),
706 ipanel: 'pveAuthADPanel',
822fb26d 707 syncipanel: 'pveAuthLDAPSyncPanel',
efff7eab 708 add: true,
550857eb 709 tfa: true,
60265958 710 pwchange: true,
efff7eab
DC
711 },
712 ldap: {
713 name: gettext('LDAP Server'),
714 ipanel: 'pveAuthLDAPPanel',
822fb26d 715 syncipanel: 'pveAuthLDAPSyncPanel',
efff7eab 716 add: true,
550857eb 717 tfa: true,
60265958 718 pwchange: true,
efff7eab 719 },
668951e2 720 openid: {
c42e3aa7 721 name: gettext('OpenID Connect Server'),
668951e2
DC
722 ipanel: 'pveAuthOpenIDPanel',
723 add: true,
724 tfa: false,
60265958 725 pwchange: false,
da25c5ac 726 iconCls: 'pmx-itype-icon-openid-logo',
668951e2 727 },
efff7eab
DC
728 pam: {
729 name: 'Linux PAM',
730 ipanel: 'pveAuthBasePanel',
731 add: false,
550857eb 732 tfa: true,
60265958 733 pwchange: true,
efff7eab
DC
734 },
735 pve: {
736 name: 'Proxmox VE authentication server',
737 ipanel: 'pveAuthBasePanel',
738 add: false,
f5ae7496 739 tfa: true,
60265958 740 pwchange: true,
efff7eab
DC
741 },
742 },
743
062a7f49
TL
744 storageSchema: {
745 dir: {
746 name: Proxmox.Utils.directoryText,
747 ipanel: 'DirInputPanel',
06c8315d
DC
748 faIcon: 'folder',
749 backups: true,
062a7f49
TL
750 },
751 lvm: {
752 name: 'LVM',
753 ipanel: 'LVMInputPanel',
06c8315d
DC
754 faIcon: 'folder',
755 backups: false,
062a7f49
TL
756 },
757 lvmthin: {
758 name: 'LVM-Thin',
759 ipanel: 'LvmThinInputPanel',
06c8315d
DC
760 faIcon: 'folder',
761 backups: false,
062a7f49 762 },
ffeb4f57
TL
763 btrfs: {
764 name: 'BTRFS',
765 ipanel: 'BTRFSInputPanel',
766 faIcon: 'folder',
767 backups: true,
768 },
062a7f49
TL
769 nfs: {
770 name: 'NFS',
771 ipanel: 'NFSInputPanel',
06c8315d
DC
772 faIcon: 'building',
773 backups: true,
062a7f49
TL
774 },
775 cifs: {
3266c03d 776 name: 'SMB/CIFS',
062a7f49 777 ipanel: 'CIFSInputPanel',
06c8315d
DC
778 faIcon: 'building',
779 backups: true,
062a7f49
TL
780 },
781 glusterfs: {
782 name: 'GlusterFS',
783 ipanel: 'GlusterFsInputPanel',
06c8315d
DC
784 faIcon: 'building',
785 backups: true,
062a7f49
TL
786 },
787 iscsi: {
788 name: 'iSCSI',
789 ipanel: 'IScsiInputPanel',
06c8315d
DC
790 faIcon: 'building',
791 backups: false,
062a7f49 792 },
4a4b2b6e
TL
793 cephfs: {
794 name: 'CephFS',
795 ipanel: 'CephFSInputPanel',
06c8315d
DC
796 faIcon: 'building',
797 backups: true,
4a4b2b6e
TL
798 },
799 pvecephfs: {
800 name: 'CephFS (PVE)',
801 ipanel: 'CephFSInputPanel',
802 hideAdd: true,
06c8315d
DC
803 faIcon: 'building',
804 backups: true,
4a4b2b6e 805 },
062a7f49
TL
806 rbd: {
807 name: 'RBD',
808 ipanel: 'RBDInputPanel',
06c8315d
DC
809 faIcon: 'building',
810 backups: false,
062a7f49
TL
811 },
812 pveceph: {
813 name: 'RBD (PVE)',
0d1ac958
TL
814 ipanel: 'RBDInputPanel',
815 hideAdd: true,
06c8315d
DC
816 faIcon: 'building',
817 backups: false,
062a7f49
TL
818 },
819 zfs: {
820 name: 'ZFS over iSCSI',
821 ipanel: 'ZFSInputPanel',
06c8315d
DC
822 faIcon: 'building',
823 backups: false,
062a7f49
TL
824 },
825 zfspool: {
826 name: 'ZFS',
827 ipanel: 'ZFSPoolInputPanel',
06c8315d
DC
828 faIcon: 'folder',
829 backups: false,
062a7f49 830 },
8b966034
TL
831 pbs: {
832 name: 'Proxmox Backup Server',
ee19d331
TL
833 ipanel: 'PBSInputPanel',
834 faIcon: 'floppy-o',
06c8315d 835 backups: true,
8b966034 836 },
062a7f49
TL
837 drbd: {
838 name: 'DRBD',
8b966034 839 hideAdd: true,
06c8315d 840 backups: false,
8b966034 841 },
062a7f49
TL
842 },
843
9233148b
AD
844 sdnvnetSchema: {
845 vnet: {
846 name: 'vnet',
f6710aac 847 faIcon: 'folder',
9233148b
AD
848 },
849 },
850
851 sdnzoneSchema: {
852 zone: {
853 name: 'zone',
f6710aac 854 hideAdd: true,
9233148b 855 },
1b4cce60
AD
856 simple: {
857 name: 'Simple',
858 ipanel: 'SimpleInputPanel',
f6710aac 859 faIcon: 'th',
1b4cce60 860 },
9233148b 861 vlan: {
f3c1eac7 862 name: 'VLAN',
9233148b 863 ipanel: 'VlanInputPanel',
f6710aac 864 faIcon: 'th',
9233148b
AD
865 },
866 qinq: {
f3c1eac7 867 name: 'QinQ',
9233148b 868 ipanel: 'QinQInputPanel',
f6710aac 869 faIcon: 'th',
9233148b
AD
870 },
871 vxlan: {
f3c1eac7 872 name: 'VXLAN',
9233148b 873 ipanel: 'VxlanInputPanel',
f6710aac 874 faIcon: 'th',
9233148b
AD
875 },
876 evpn: {
f3c1eac7 877 name: 'EVPN',
9233148b 878 ipanel: 'EvpnInputPanel',
f6710aac 879 faIcon: 'th',
9233148b
AD
880 },
881 },
882
883 sdncontrollerSchema: {
884 controller: {
885 name: 'controller',
f6710aac 886 hideAdd: true,
9233148b
AD
887 },
888 evpn: {
889 name: 'evpn',
890 ipanel: 'EvpnInputPanel',
f6710aac 891 faIcon: 'crosshairs',
9233148b 892 },
1d9643f6
AD
893 bgp: {
894 name: 'bgp',
895 ipanel: 'BgpInputPanel',
4d739f4a 896 faIcon: 'crosshairs',
1d9643f6
AD
897 },
898 },
899
900 sdnipamSchema: {
901 ipam: {
902 name: 'ipam',
4d739f4a 903 hideAdd: true,
1d9643f6
AD
904 },
905 pve: {
906 name: 'PVE',
907 ipanel: 'PVEIpamInputPanel',
908 faIcon: 'th',
4d739f4a 909 hideAdd: true,
1d9643f6
AD
910 },
911 netbox: {
912 name: 'Netbox',
913 ipanel: 'NetboxInputPanel',
4d739f4a 914 faIcon: 'th',
1d9643f6
AD
915 },
916 phpipam: {
917 name: 'PhpIpam',
918 ipanel: 'PhpIpamInputPanel',
4d739f4a 919 faIcon: 'th',
1d9643f6
AD
920 },
921 },
922
923 sdndnsSchema: {
924 dns: {
925 name: 'dns',
4d739f4a 926 hideAdd: true,
1d9643f6
AD
927 },
928 powerdns: {
929 name: 'powerdns',
930 ipanel: 'PowerdnsInputPanel',
4d739f4a 931 faIcon: 'th',
1d9643f6 932 },
9233148b
AD
933 },
934
935 format_sdnvnet_type: function(value, md, record) {
936 var schema = PVE.Utils.sdnvnetSchema[value];
937 if (schema) {
938 return schema.name;
939 }
940 return Proxmox.Utils.unknownText;
941 },
942
943 format_sdnzone_type: function(value, md, record) {
944 var schema = PVE.Utils.sdnzoneSchema[value];
945 if (schema) {
f3c1eac7 946 return schema.name;
9233148b
AD
947 }
948 return Proxmox.Utils.unknownText;
949 },
950
951 format_sdncontroller_type: function(value, md, record) {
952 var schema = PVE.Utils.sdncontrollerSchema[value];
953 if (schema) {
954 return schema.name;
955 }
956 return Proxmox.Utils.unknownText;
957 },
958
1d9643f6
AD
959 format_sdnipam_type: function(value, md, record) {
960 var schema = PVE.Utils.sdnipamSchema[value];
961 if (schema) {
962 return schema.name;
963 }
964 return Proxmox.Utils.unknownText;
965 },
966
967 format_sdndns_type: function(value, md, record) {
968 var schema = PVE.Utils.sdndnsSchema[value];
969 if (schema) {
970 return schema.name;
971 }
972 return Proxmox.Utils.unknownText;
973 },
974
3c23c025 975 format_storage_type: function(value, md, record) {
4a4b2b6e 976 if (value === 'rbd') {
53e3ea84 977 value = !record || record.get('monhost') ? 'rbd' : 'pveceph';
4a4b2b6e 978 } else if (value === 'cephfs') {
53e3ea84 979 value = !record || record.get('monhost') ? 'cephfs' : 'pvecephfs';
3c23c025 980 }
062a7f49 981
d0477f12
TL
982 let schema = PVE.Utils.storageSchema[value];
983 return schema?.name ?? value;
a3b8efb4
EK
984 },
985
ced1677b 986 format_ha: function(value) {
e7ade592 987 var text = Proxmox.Utils.noneText;
ced1677b
TL
988
989 if (value.managed) {
e7ade592 990 text = value.state || Proxmox.Utils.noneText;
ced1677b 991
8058410f 992 text += ', ' + Proxmox.Utils.groupText + ': ';
e7ade592 993 text += value.group || Proxmox.Utils.noneText;
ced1677b
TL
994 }
995
996 return text;
997 },
998
b0a6d326 999 format_content_types: function(value) {
0e244a29
DC
1000 return value.split(',').sort().map(function(ct) {
1001 return PVE.Utils.contentTypes[ct] || ct;
1002 }).join(', ');
b0a6d326
EK
1003 },
1004
1005 render_storage_content: function(value, metaData, record) {
1006 var data = record.data;
1007 if (Ext.isNumber(data.channel) &&
1008 Ext.isNumber(data.id) &&
1009 Ext.isNumber(data.lun)) {
0be88ae1 1010 return "CH " +
f6710aac 1011 Ext.String.leftPad(data.channel, 2, '0') +
b0a6d326
EK
1012 " ID " + data.id + " LUN " + data.lun;
1013 }
f6710aac 1014 return data.volid.replace(/^.*?:(.*?\/)?/, '');
b0a6d326
EK
1015 },
1016
8058410f 1017 render_serverity: function(value) {
b0a6d326
EK
1018 return PVE.Utils.log_severity_hash[value] || value;
1019 },
1020
a62ee730 1021 calculate_hostcpu: function(data) {
a62ee730
AD
1022 if (!(data.uptime && Ext.isNumeric(data.cpu))) {
1023 return -1;
1024 }
1025
1026 if (data.type !== 'qemu' && data.type !== 'lxc') {
1027 return -1;
1028 }
1029
1030 var index = PVE.data.ResourceStore.findExact('id', 'node/' + data.node);
1031 var node = PVE.data.ResourceStore.getAt(index);
1032 if (!Ext.isDefined(node) || node === null) {
1033 return -1;
1034 }
1035 var maxcpu = node.data.maxcpu || 1;
1036
1037 if (!Ext.isNumeric(maxcpu) && (maxcpu >= 1)) {
1038 return -1;
1039 }
1040
4d739f4a 1041 return (data.cpu/maxcpu) * data.maxcpu;
a62ee730
AD
1042 },
1043
1044 render_hostcpu: function(value, metaData, record, rowIndex, colIndex, store) {
a62ee730
AD
1045 if (!(record.data.uptime && Ext.isNumeric(record.data.cpu))) {
1046 return '';
1047 }
1048
1049 if (record.data.type !== 'qemu' && record.data.type !== 'lxc') {
1050 return '';
1051 }
1052
1053 var index = PVE.data.ResourceStore.findExact('id', 'node/' + record.data.node);
1054 var node = PVE.data.ResourceStore.getAt(index);
1055 if (!Ext.isDefined(node) || node === null) {
1056 return '';
1057 }
1058 var maxcpu = node.data.maxcpu || 1;
1059
1060 if (!Ext.isNumeric(maxcpu) && (maxcpu >= 1)) {
1061 return '';
1062 }
1063
1064 var per = (record.data.cpu/maxcpu) * record.data.maxcpu * 100;
1065
1066 return per.toFixed(1) + '% of ' + maxcpu.toString() + (maxcpu > 1 ? 'CPUs' : 'CPU');
1067 },
1068
946730cd
DC
1069 render_bandwidth: function(value) {
1070 if (!Ext.isNumeric(value)) {
1071 return '';
1072 }
1073
e7ade592 1074 return Proxmox.Utils.format_size(value) + '/s';
b0a6d326
EK
1075 },
1076
3f633655
EK
1077 render_timestamp_human_readable: function(value) {
1078 return Ext.Date.format(new Date(value * 1000), 'l d F Y H:i:s');
1079 },
1080
7ce62ab3
TL
1081 // render a timestamp or pending
1082 render_next_event: function(value) {
1083 if (!value) {
1084 return '-';
1085 }
1086 let now = new Date(), next = new Date(value * 1000);
1087 if (next < now) {
1088 return gettext('pending');
1089 }
1090 return Proxmox.Utils.render_timestamp(value);
1091 },
1092
0bfc799f
DC
1093 calculate_mem_usage: function(data) {
1094 if (!Ext.isNumeric(data.mem) ||
1095 data.maxmem === 0 ||
1096 data.uptime < 1) {
1097 return -1;
1098 }
1099
53e3ea84 1100 return data.mem / data.maxmem;
0bfc799f
DC
1101 },
1102
a62ee730 1103 calculate_hostmem_usage: function(data) {
a62ee730
AD
1104 if (data.type !== 'qemu' && data.type !== 'lxc') {
1105 return -1;
1106 }
1107
1108 var index = PVE.data.ResourceStore.findExact('id', 'node/' + data.node);
1109 var node = PVE.data.ResourceStore.getAt(index);
1110
1111 if (!Ext.isDefined(node) || node === null) {
1112 return -1;
1113 }
1114 var maxmem = node.data.maxmem || 0;
1115
1116 if (!Ext.isNumeric(data.mem) ||
1117 maxmem === 0 ||
1118 data.uptime < 1) {
1119 return -1;
1120 }
1121
4d739f4a 1122 return data.mem / maxmem;
a62ee730
AD
1123 },
1124
0bfc799f
DC
1125 render_mem_usage_percent: function(value, metaData, record, rowIndex, colIndex, store) {
1126 if (!Ext.isNumeric(value) || value === -1) {
1127 return '';
1128 }
8058410f 1129 if (value > 1) {
0bfc799f
DC
1130 // we got no percentage but bytes
1131 var mem = value;
1132 var maxmem = record.data.maxmem;
1133 if (!record.data.uptime ||
1134 maxmem === 0 ||
1135 !Ext.isNumeric(mem)) {
1136 return '';
1137 }
1138
53e3ea84 1139 return (mem*100/maxmem).toFixed(1) + " %";
0bfc799f
DC
1140 }
1141 return (value*100).toFixed(1) + " %";
1142 },
1143
a62ee730 1144 render_hostmem_usage_percent: function(value, metaData, record, rowIndex, colIndex, store) {
a62ee730
AD
1145 if (!Ext.isNumeric(record.data.mem) || value === -1) {
1146 return '';
1147 }
1148
1149 if (record.data.type !== 'qemu' && record.data.type !== 'lxc') {
1150 return '';
1151 }
1152
1153 var index = PVE.data.ResourceStore.findExact('id', 'node/' + record.data.node);
1154 var node = PVE.data.ResourceStore.getAt(index);
1155 var maxmem = node.data.maxmem || 0;
1156
4d739f4a 1157 if (record.data.mem > 1) {
a62ee730
AD
1158 // we got no percentage but bytes
1159 var mem = record.data.mem;
1160 if (!record.data.uptime ||
1161 maxmem === 0 ||
1162 !Ext.isNumeric(mem)) {
1163 return '';
1164 }
1165
1166 return ((mem*100)/maxmem).toFixed(1) + " %";
1167 }
1168 return (value*100).toFixed(1) + " %";
1169 },
1170
b0a6d326 1171 render_mem_usage: function(value, metaData, record, rowIndex, colIndex, store) {
b0a6d326
EK
1172 var mem = value;
1173 var maxmem = record.data.maxmem;
0be88ae1 1174
b0a6d326
EK
1175 if (!record.data.uptime) {
1176 return '';
1177 }
1178
1179 if (!(Ext.isNumeric(mem) && maxmem)) {
1180 return '';
1181 }
1182
1bd7bcdb 1183 return Proxmox.Utils.render_size(value);
b0a6d326
EK
1184 },
1185
0bfc799f 1186 calculate_disk_usage: function(data) {
0bfc799f 1187 if (!Ext.isNumeric(data.disk) ||
4d739f4a
TL
1188 ((data.type === 'qemu' || data.type === 'lxc') && data.uptime === 0) ||
1189 data.maxdisk === 0
1190 ) {
0bfc799f
DC
1191 return -1;
1192 }
1193
53e3ea84 1194 return data.disk / data.maxdisk;
0bfc799f
DC
1195 },
1196
1197 render_disk_usage_percent: function(value, metaData, record, rowIndex, colIndex, store) {
1198 if (!Ext.isNumeric(value) || value === -1) {
1199 return '';
1200 }
1201
1202 return (value * 100).toFixed(1) + " %";
1203 },
1204
b0a6d326 1205 render_disk_usage: function(value, metaData, record, rowIndex, colIndex, store) {
b0a6d326
EK
1206 var disk = value;
1207 var maxdisk = record.data.maxdisk;
728f1b97 1208 var type = record.data.type;
b0a6d326 1209
728f1b97 1210 if (!Ext.isNumeric(disk) ||
728f1b97 1211 maxdisk === 0 ||
4d739f4a
TL
1212 ((type === 'qemu' || type === 'lxc') && record.data.uptime === 0)
1213 ) {
b0a6d326
EK
1214 return '';
1215 }
1216
1bd7bcdb 1217 return Proxmox.Utils.render_size(value);
b0a6d326
EK
1218 },
1219
4dbc64a7
DC
1220 get_object_icon_class: function(type, record) {
1221 var status = '';
1222 var objType = type;
1223
1224 if (type === 'type') {
1225 // for folder view
1226 objType = record.groupbyid;
1227 } else if (record.template) {
1228 // templates
1229 objType = 'template';
1230 status = type;
1231 } else {
1232 // everything else
1233 status = record.status + ' ha-' + record.hastate;
b1d8e73d
DC
1234 }
1235
6284a48a
DC
1236 if (record.lock) {
1237 status += ' locked lock-' + record.lock;
1238 }
1239
4dbc64a7
DC
1240 var defaults = PVE.tree.ResourceTree.typeDefaults[objType];
1241 if (defaults && defaults.iconCls) {
1242 var retVal = defaults.iconCls + ' ' + status;
1243 return retVal;
b0a6d326
EK
1244 }
1245
4dbc64a7
DC
1246 return '';
1247 },
1248
1249 render_resource_type: function(value, metaData, record, rowIndex, colIndex, store) {
f6710aac 1250 var cls = PVE.Utils.get_object_icon_class(value, record.data);
2b2fe160 1251
8058410f 1252 var fa = '<i class="fa-fw x-grid-icon-custom ' + cls + '"></i> ';
b1d8e73d 1253 return fa + value;
b0a6d326
EK
1254 },
1255
b0a6d326
EK
1256 render_support_level: function(value, metaData, record) {
1257 return PVE.Utils.support_level_hash[value] || '-';
1258 },
1259
0be88ae1 1260 render_upid: function(value, metaData, record) {
b0a6d326
EK
1261 var type = record.data.type;
1262 var id = record.data.id;
1263
e7ade592 1264 return Proxmox.Utils.format_task_description(type, id);
b0a6d326
EK
1265 },
1266
27809975 1267 render_optional_url: function(value) {
4d739f4a 1268 if (value && value.match(/^https?:\/\//)) {
cdd9b6c0 1269 return '<a target="_blank" href="' + value + '">' + value + '</a>';
27809975
DC
1270 }
1271 return value;
1272 },
1273
1274 render_san: function(value) {
1275 var names = [];
1276 if (Ext.isArray(value)) {
1277 value.forEach(function(val) {
1278 if (!Ext.isNumber(val)) {
1279 names.push(val);
1280 }
1281 });
1282 return names.join('<br>');
1283 }
1284 return value;
1285 },
1286
6ad4be69
DC
1287 render_full_name: function(firstname, metaData, record) {
1288 var first = firstname || '';
1289 var last = record.data.lastname || '';
1290 return Ext.htmlEncode(first + " " + last);
1291 },
1292
fe5c4f81
AL
1293 // expecting the following format:
1294 // [v2:10.10.10.1:6802/2008,v1:10.10.10.1:6803/2008]
1295 render_ceph_osd_addr: function(value) {
1296 value = value.trim();
1297 if (value.startsWith('[') && value.endsWith(']')) {
1298 value = value.slice(1, -1); // remove []
1299 }
1300 value = value.replaceAll(',', '\n'); // split IPs in lines
1301 let retVal = '';
1302 for (const i of value.matchAll(/^(v[0-9]):(.*):([0-9]*)\/([0-9]*)$/gm)) {
1303 retVal += `${i[1]}: ${i[2]}:${i[3]}<br>`;
1304 }
1305 return retVal.length < 1 ? value : retVal;
1306 },
1307
aa0819a8 1308 windowHostname: function() {
e7ade592 1309 return window.location.hostname.replace(Proxmox.Utils.IP6_bracket_match,
aa0819a8
WB
1310 function(m, addr, offset, original) { return addr; });
1311 },
0be88ae1 1312
953f6e9b 1313 openDefaultConsoleWindow: function(consoles, consoleType, vmid, nodename, vmname, cmd) {
8aac63a5 1314 var dv = PVE.Utils.defaultViewer(consoles, consoleType);
953f6e9b 1315 PVE.Utils.openConsoleWindow(dv, consoleType, vmid, nodename, vmname, cmd);
b0a6d326
EK
1316 },
1317
953f6e9b 1318 openConsoleWindow: function(viewer, consoleType, vmid, nodename, vmname, cmd) {
4d739f4a 1319 if (vmid === undefined && (consoleType === 'kvm' || consoleType === 'lxc')) {
b0a6d326
EK
1320 throw "missing vmid";
1321 }
b0a6d326
EK
1322 if (!nodename) {
1323 throw "no nodename specified";
1324 }
1325
c7218ab3 1326 if (viewer === 'html5') {
953f6e9b 1327 PVE.Utils.openVNCViewer(consoleType, vmid, nodename, vmname, cmd);
c6b2336c 1328 } else if (viewer === 'xtermjs') {
953f6e9b 1329 Proxmox.Utils.openXtermJsViewer(consoleType, vmid, nodename, vmname, cmd);
b0a6d326 1330 } else if (viewer === 'vv') {
953f6e9b
TL
1331 let url = '/nodes/' + nodename + '/spiceshell';
1332 let params = {
1333 proxy: PVE.Utils.windowHostname(),
1334 };
1335 if (consoleType === 'kvm') {
b0a6d326 1336 url = '/nodes/' + nodename + '/qemu/' + vmid.toString() + '/spiceproxy';
953f6e9b 1337 } else if (consoleType === 'lxc') {
9e361643 1338 url = '/nodes/' + nodename + '/lxc/' + vmid.toString() + '/spiceproxy';
953f6e9b
TL
1339 } else if (consoleType === 'upgrade') {
1340 params.cmd = 'upgrade';
1341 } else if (consoleType === 'cmd') {
8eccc68f 1342 params.cmd = cmd;
953f6e9b
TL
1343 } else if (consoleType !== 'shell') {
1344 throw `unknown spice viewer type '${consoleType}'`;
b0a6d326 1345 }
953f6e9b 1346 PVE.Utils.openSpiceViewer(url, params);
b0a6d326 1347 } else {
953f6e9b 1348 throw `unknown viewer type '${viewer}'`;
b0a6d326
EK
1349 }
1350 },
1351
8aac63a5 1352 defaultViewer: function(consoles, type) {
3438c27e
DC
1353 var allowSpice, allowXtermjs;
1354
1355 if (consoles === true) {
1356 allowSpice = true;
1357 allowXtermjs = true;
1358 } else if (typeof consoles === 'object') {
1359 allowSpice = consoles.spice;
4ace5c6f 1360 allowXtermjs = !!consoles.xtermjs;
3438c27e 1361 }
731436ee 1362 let dv = PVE.UIOptions.options.console || (type === 'kvm' ? 'vv' : 'xtermjs');
f932cffa 1363 if (dv === 'vv' && !allowSpice) {
53e3ea84 1364 dv = allowXtermjs ? 'xtermjs' : 'html5';
f932cffa 1365 } else if (dv === 'xtermjs' && !allowXtermjs) {
53e3ea84 1366 dv = allowSpice ? 'vv' : 'html5';
b0a6d326
EK
1367 }
1368
1369 return dv;
1370 },
1371
8eccc68f 1372 openVNCViewer: function(vmtype, vmid, nodename, vmname, cmd) {
af89f682
TL
1373 let scaling = 'off';
1374 if (Proxmox.Utils.toolkit !== 'touch') {
1375 var sp = Ext.state.Manager.getProvider();
1376 scaling = sp.get('novnc-scaling', 'off');
1377 }
8eccc68f 1378 var url = Ext.Object.toQueryString({
9e361643 1379 console: vmtype, // kvm, lxc, upgrade or shell
c7218ab3 1380 novnc: 1,
b0a6d326
EK
1381 vmid: vmid,
1382 vmname: vmname,
16e64c97 1383 node: nodename,
af89f682 1384 resize: scaling,
f6710aac 1385 cmd: cmd,
b0a6d326
EK
1386 });
1387 var nw = window.open("?" + url, '_blank', "innerWidth=745,innerheight=427");
7af1ab47
DC
1388 if (nw) {
1389 nw.focus();
1390 }
b0a6d326
EK
1391 },
1392
8058410f 1393 openSpiceViewer: function(url, params) {
b0a6d326
EK
1394 var downloadWithName = function(uri, name) {
1395 var link = Ext.DomHelper.append(document.body, {
1396 tag: 'a',
1397 href: uri,
8058410f 1398 css: 'display:none;visibility:hidden;height:0px;',
b0a6d326
EK
1399 });
1400
63c22966 1401 // Note: we need to tell Android and Chrome the correct file name extension
b0a6d326
EK
1402 // but we do not set 'download' tag for other environments, because
1403 // It can have strange side effects (additional user prompt on firefox)
63c22966 1404 if (navigator.userAgent.match(/Android|Chrome/i)) {
b0a6d326
EK
1405 link.download = name;
1406 }
1407
1408 if (link.fireEvent) {
1409 link.fireEvent('onclick');
1410 } else {
953f6e9b
TL
1411 let evt = document.createEvent("MouseEvents");
1412 evt.initMouseEvent('click', true, true, window, 1, 0, 0, 0, 0, false, false, false, false, 0, null);
b0a6d326
EK
1413 link.dispatchEvent(evt);
1414 }
1415 };
1416
e7ade592 1417 Proxmox.Utils.API2Request({
b0a6d326
EK
1418 url: url,
1419 params: params,
1420 method: 'POST',
8058410f 1421 failure: function(response, opts) {
b0a6d326
EK
1422 Ext.Msg.alert('Error', response.htmlStatus);
1423 },
8058410f 1424 success: function(response, opts) {
4d739f4a
TL
1425 let cfg = response.result.data;
1426 let raw = Object.entries(cfg).reduce((acc, [k, v]) => acc + `${k}=${v}\n`, "[virt-viewer]\n");
1427 let spiceDownload = 'data:application/x-virt-viewer;charset=UTF-8,' + encodeURIComponent(raw);
1428 downloadWithName(spiceDownload, "pve-spice.vv");
f6710aac 1429 },
b0a6d326
EK
1430 });
1431 },
1432
e3129443
DC
1433 openTreeConsole: function(tree, record, item, index, e) {
1434 e.stopEvent();
4d739f4a
TL
1435 let nodename = record.data.node;
1436 let vmid = record.data.vmid;
1437 let vmname = record.data.name;
e3129443 1438 if (record.data.type === 'qemu' && !record.data.template) {
e7ade592 1439 Proxmox.Utils.API2Request({
4d739f4a
TL
1440 url: `/nodes/${nodename}/qemu/${vmid}/status/current`,
1441 failure: response => Ext.Msg.alert('Error', response.htmlStatus),
e3129443 1442 success: function(response, opts) {
bd9537d7 1443 let conf = response.result.data;
4d739f4a 1444 let consoles = {
bd9537d7
TL
1445 spice: !!conf.spice,
1446 xtermjs: !!conf.serial,
54453c38
DC
1447 };
1448 PVE.Utils.openDefaultConsoleWindow(consoles, 'kvm', vmid, nodename, vmname);
f6710aac 1449 },
e3129443
DC
1450 });
1451 } else if (record.data.type === 'lxc' && !record.data.template) {
1452 PVE.Utils.openDefaultConsoleWindow(true, 'lxc', vmid, nodename, vmname);
1453 }
1454 },
1455
fbd60cfd
DM
1456 // test automation helper
1457 call_menu_handler: function(menu, text) {
4d739f4a
TL
1458 let item = menu.query('menuitem').find(el => el.text === text);
1459 if (item && item.handler) {
1460 item.handler();
1461 }
fbd60cfd
DM
1462 },
1463
685b7aa4
DC
1464 createCmdMenu: function(v, record, item, index, event) {
1465 event.stopEvent();
cc1a91be
DC
1466 if (!(v instanceof Ext.tree.View)) {
1467 v.select(record);
1468 }
4d739f4a
TL
1469 let menu;
1470 let type = record.data.type;
685b7aa4 1471
4d739f4a
TL
1472 if (record.data.template) {
1473 if (type === 'qemu' || type === 'lxc') {
9bad05bd 1474 menu = Ext.create('PVE.menu.TemplateMenu', {
f6710aac 1475 pveSelNode: record,
9bad05bd
DC
1476 });
1477 }
4d739f4a 1478 } else if (type === 'qemu' || type === 'lxc' || type === 'node') {
9bad05bd
DC
1479 menu = Ext.create('PVE.' + type + '.CmdMenu', {
1480 pveSelNode: record,
f6710aac 1481 nodename: record.data.node,
c11ab8cb 1482 });
685b7aa4 1483 } else {
4d739f4a 1484 return undefined;
685b7aa4
DC
1485 }
1486
1487 menu.showAt(event.getXY());
9f0b4e04 1488 return menu;
e7ade592 1489 },
9fa2e36d 1490
fe4f00ad
TL
1491 // helper for deleting field which are set to there default values
1492 delete_if_default: function(values, fieldname, default_val, create) {
1493 if (values[fieldname] === '' || values[fieldname] === default_val) {
1494 if (!create) {
399ffa76
TL
1495 if (values.delete) {
1496 if (Ext.isArray(values.delete)) {
1497 values.delete.push(fieldname);
2db8e90d 1498 } else {
399ffa76 1499 values.delete += ',' + fieldname;
2db8e90d 1500 }
fe4f00ad 1501 } else {
399ffa76 1502 values.delete = fieldname;
fe4f00ad
TL
1503 }
1504 }
1505
1506 delete values[fieldname];
1507 }
857b97a7
TL
1508 },
1509
1510 loadSSHKeyFromFile: function(file, callback) {
37f2e82c
TL
1511 // ssh-keygen produces ~ 740 bytes for a 4096 bit RSA key, current max is 16 kbit, so assume:
1512 // 740 * 8 for max. 32kbit (5920 bytes), round upwards to 8192 bytes, leaves lots of comment space
1513 PVE.Utils.loadFile(file, callback, 8192);
1514 },
1515
1516 loadFile: function(file, callback, maxSize) {
1517 maxSize = maxSize || 32 * 1024;
1518 if (file.size > maxSize) {
1519 Ext.Msg.alert(gettext('Error'), `${gettext("Invalid file size")}: ${file.size} > ${maxSize}`);
857b97a7
TL
1520 return;
1521 }
4d739f4a 1522 let reader = new FileReader();
37f2e82c 1523 reader.onload = evt => callback(evt.target.result);
857b97a7 1524 reader.readAsText(file);
abe824aa
DC
1525 },
1526
7dda153c
TL
1527 loadTextFromFile: function(file, callback, maxBytes) {
1528 let maxSize = maxBytes || 8192;
1529 if (file.size > maxSize) {
1530 Ext.Msg.alert(gettext('Error'), gettext("Invalid file size: ") + file.size);
1531 return;
1532 }
7dda153c
TL
1533 let reader = new FileReader();
1534 reader.onload = evt => callback(evt.target.result);
1535 reader.readAsText(file);
1536 },
1537
8c4ec8c7
TL
1538 diskControllerMaxIDs: {
1539 ide: 4,
1540 sata: 6,
cf0d139e 1541 scsi: 31,
8c4ec8c7 1542 virtio: 16,
7b14d77a 1543 unused: 256,
8c4ec8c7 1544 },
abe824aa
DC
1545
1546 // types is either undefined (all busses), an array of busses, or a single bus
1547 forEachBus: function(types, func) {
4d739f4a 1548 let busses = Object.keys(PVE.Utils.diskControllerMaxIDs);
abe824aa
DC
1549
1550 if (Ext.isArray(types)) {
1551 busses = types;
1552 } else if (Ext.isDefined(types)) {
8058410f 1553 busses = [types];
abe824aa
DC
1554 }
1555
1556 // check if we only have valid busses
4d739f4a 1557 for (let i = 0; i < busses.length; i++) {
8c4ec8c7 1558 if (!PVE.Utils.diskControllerMaxIDs[busses[i]]) {
abe824aa
DC
1559 throw "invalid bus: '" + busses[i] + "'";
1560 }
1561 }
1562
4d739f4a
TL
1563 for (let i = 0; i < busses.length; i++) {
1564 let count = PVE.Utils.diskControllerMaxIDs[busses[i]];
1565 for (let j = 0; j < count; j++) {
1566 let cont = func(busses[i], j);
abe824aa
DC
1567 if (!cont && cont !== undefined) {
1568 return;
1569 }
1570 }
1571 }
14a845bc
DC
1572 },
1573
4d739f4a 1574 mp_counts: {
5747fef3 1575 mp: 256,
4d739f4a
TL
1576 unused: 256,
1577 },
14a845bc
DC
1578
1579 forEachMP: function(func, includeUnused) {
5747fef3 1580 for (let i = 0; i < PVE.Utils.mp_counts.mp; i++) {
4d739f4a 1581 let cont = func('mp', i);
14a845bc
DC
1582 if (!cont && cont !== undefined) {
1583 return;
1584 }
1585 }
1586
1587 if (!includeUnused) {
1588 return;
1589 }
1590
4d739f4a
TL
1591 for (let i = 0; i < PVE.Utils.mp_counts.unused; i++) {
1592 let cont = func('unused', i);
14a845bc
DC
1593 if (!cont && cont !== undefined) {
1594 return;
1595 }
1596 }
b945c7c1
TM
1597 },
1598
17dcba38
DC
1599 hardware_counts: {
1600 net: 32,
1601 usb: 14,
1602 usb_old: 5,
1603 hostpci: 16,
1604 audio: 1,
1605 efidisk: 1,
1606 serial: 4,
1607 rng: 1,
1608 tpmstate: 1,
1609 },
1610
1611 // we can have usb6 and up only for specific machine/ostypes
1612 get_max_usb_count: function(ostype, machine) {
1613 if (!ostype) {
1614 return PVE.Utils.hardware_counts.usb_old;
1615 }
1616
1617 let match = /-(\d+).(\d+)/.exec(machine ?? '');
1618 if (!match || PVE.Utils.qemu_min_version([match[1], match[2]], [7, 1])) {
1619 if (ostype === 'l26') {
1620 return PVE.Utils.hardware_counts.usb;
1621 }
1622 let os_match = /^win(\d+)$/.exec(ostype);
1623 if (os_match && os_match[1] > 7) {
1624 return PVE.Utils.hardware_counts.usb;
1625 }
1626 }
1627
1628 return PVE.Utils.hardware_counts.usb_old;
1629 },
1630
1631 // parameters are expected to be arrays, e.g. [7,1], [4,0,1]
1632 // returns true if toCheck is equal or greater than minVersion
1633 qemu_min_version: function(toCheck, minVersion) {
1634 let i;
1635 for (i = 0; i < toCheck.length && i < minVersion.length; i++) {
1636 if (toCheck[i] < minVersion[i]) {
1637 return false;
1638 }
1639 }
1640
1641 if (minVersion.length > toCheck.length) {
1642 for (; i < minVersion.length; i++) {
1643 if (minVersion[i] !== 0) {
1644 return false;
1645 }
1646 }
1647 }
1648
1649 return true;
1650 },
9d855398 1651
8058410f 1652 cleanEmptyObjectKeys: function(obj) {
4d739f4a
TL
1653 for (const propName of Object.keys(obj)) {
1654 if (obj[propName] === null || obj[propName] === undefined) {
1655 delete obj[propName];
b945c7c1
TM
1656 }
1657 }
4616a55b
TM
1658 },
1659
eadbbb4a
DC
1660 acmedomain_count: 5,
1661
1662 add_domain_to_acme: function(acme, domain) {
1663 if (acme.domains === undefined) {
1664 acme.domains = [domain];
1665 } else {
1666 acme.domains.push(domain);
8058410f 1667 acme.domains = acme.domains.filter((value, index, self) => self.indexOf(value) === index);
eadbbb4a
DC
1668 }
1669 return acme;
1670 },
1671
1672 remove_domain_from_acme: function(acme, domain) {
1673 if (acme.domains !== undefined) {
4d739f4a
TL
1674 acme.domains = acme
1675 .domains
1676 .filter((value, index, self) => self.indexOf(value) === index && value !== domain);
eadbbb4a
DC
1677 }
1678 return acme;
1679 },
1680
4d739f4a
TL
1681 handleStoreErrorOrMask: function(view, store, regex, callback) {
1682 view.mon(store, 'load', function(proxy, response, success, operation) {
4616a55b 1683 if (success) {
4d739f4a 1684 Proxmox.Utils.setErrorMask(view, false);
4616a55b
TM
1685 return;
1686 }
4d739f4a 1687 let msg;
4616a55b
TM
1688 if (operation.error.statusText) {
1689 if (operation.error.statusText.match(regex)) {
4d739f4a 1690 callback(view, operation.error);
4616a55b
TM
1691 return;
1692 } else {
1693 msg = operation.error.statusText + ' (' + operation.error.status + ')';
1694 }
1695 } else {
1696 msg = gettext('Connection error');
1697 }
4d739f4a 1698 Proxmox.Utils.setErrorMask(view, msg);
4616a55b
TM
1699 });
1700 },
1701
8058410f 1702 showCephInstallOrMask: function(container, msg, nodename, callback) {
13786fb0 1703 if (msg.match(/not (installed|initialized)/i)) {
4616a55b
TM
1704 if (Proxmox.UserName === 'root@pam') {
1705 container.el.mask();
8058410f 1706 if (!container.down('pveCephInstallWindow')) {
ef725143 1707 var isInstalled = !!msg.match(/not initialized/i);
4616a55b 1708 var win = Ext.create('PVE.ceph.Install', {
f6710aac 1709 nodename: nodename,
4616a55b 1710 });
f992ef80 1711 win.getViewModel().set('isInstalled', isInstalled);
4616a55b 1712 container.add(win);
19f703e2
DC
1713 win.on('close', () => {
1714 container.el.unmask();
1715 });
4616a55b
TM
1716 win.show();
1717 callback(win);
1718 }
1719 } else {
a7e8b87b
TL
1720 container.mask(Ext.String.format(gettext('{0} not installed.') +
1721 ' ' + gettext('Log in as root to install.'), 'Ceph'), ['pve-static-mask']);
4616a55b
TM
1722 }
1723 return true;
1724 } else {
1725 return false;
1726 }
49dfba72
DC
1727 },
1728
13786fb0
TL
1729 monitor_ceph_installed: function(view, rstore, nodename, maskOwnerCt) {
1730 PVE.Utils.handleStoreErrorOrMask(
1731 view,
1732 rstore,
1733 /not (installed|initialized)/i,
1734 (_, error) => {
c2175df2 1735 nodename = nodename || Proxmox.NodeName;
13786fb0
TL
1736 let maskTarget = maskOwnerCt ? view.ownerCt : view;
1737 rstore.stopUpdate();
1738 PVE.Utils.showCephInstallOrMask(maskTarget, error.statusText, nodename, win => {
1739 view.mon(win, 'cephInstallWindowClosed', () => rstore.startUpdate());
1740 });
1741 },
1742 );
1743 },
1744
1745
49dfba72
DC
1746 propertyStringSet: function(target, source, name, value) {
1747 if (source) {
1748 if (value === undefined) {
1749 target[name] = source;
1750 } else {
1751 target[name] = value;
1752 }
1753 } else {
1754 delete target[name];
1755 }
bbc83309
DC
1756 },
1757
e65817a1
SR
1758 forEachCorosyncLink: function(nodeinfo, cb) {
1759 let re = /(?:ring|link)(\d+)_addr/;
1760 Ext.iterate(nodeinfo, (prop, val) => {
1761 let match = re.exec(prop);
1762 if (match) {
1763 cb(Number(match[1]), val);
1764 }
1765 });
1766 },
4546808c
SR
1767
1768 cpu_vendor_map: {
1769 'default': 'QEMU',
1770 'AuthenticAMD': 'AMD',
f6710aac 1771 'GenuineIntel': 'Intel',
4546808c
SR
1772 },
1773
1774 cpu_vendor_order: {
1775 "AMD": 1,
1776 "Intel": 2,
1777 "QEMU": 3,
1778 "Host": 4,
1779 "_default_": 5, // includes custom models
1780 },
5865b597
WB
1781
1782 verify_ip64_address_list: function(value, with_suffix) {
1783 for (let addr of value.split(/[ ,;]+/)) {
1784 if (addr === '') {
1785 continue;
1786 }
1787
1788 if (with_suffix) {
1789 let parts = addr.split('%');
1790 addr = parts[0];
1791
1792 if (parts.length > 2) {
1793 return false;
1794 }
1795
1796 if (parts.length > 1 && !addr.startsWith('fe80:')) {
1797 return false;
1798 }
1799 }
1800
1801 if (!Proxmox.Utils.IP64_match.test(addr)) {
1802 return false;
1803 }
1804 }
1805
1806 return true;
1807 },
2aa645da
DC
1808
1809 sortByPreviousUsage: function(vmconfig, controllerList) {
1810 if (!controllerList) {
1811 controllerList = ['ide', 'virtio', 'scsi', 'sata'];
1812 }
1813 let usedControllers = {};
1814 for (const type of Object.keys(PVE.Utils.diskControllerMaxIDs)) {
1815 usedControllers[type] = 0;
1816 }
1817
1818 for (const property of Object.keys(vmconfig)) {
1819 if (property.match(PVE.Utils.bus_match) && !vmconfig[property].match(/media=cdrom/)) {
1820 const foundController = property.match(PVE.Utils.bus_match)[1];
1821 usedControllers[foundController]++;
1822 }
1823 }
1824
1825 let sortPriority = PVE.qemu.OSDefaults.getDefaults(vmconfig.ostype).busPriority;
1826
1827 let sortedList = Ext.clone(controllerList);
1828 sortedList.sort(function(a, b) {
1829 if (usedControllers[b] === usedControllers[a]) {
1830 return sortPriority[b] - sortPriority[a];
1831 }
1832 return usedControllers[b] - usedControllers[a];
1833 });
1834
1835 return sortedList;
1836 },
1837
1838 nextFreeDisk: function(controllers, config) {
1839 for (const controller of controllers) {
1840 for (let i = 0; i < PVE.Utils.diskControllerMaxIDs[controller]; i++) {
1841 let confid = controller + i.toString();
1842 if (!Ext.isDefined(config[confid])) {
1843 return {
1844 controller,
1845 id: i,
1846 confid,
1847 };
1848 }
1849 }
1850 }
1851
1852 return undefined;
1853 },
000b5537
AL
1854
1855 nextFreeMP: function(type, config) {
1856 for (let i = 0; i < PVE.Utils.mp_counts[type]; i++) {
1857 let confid = `${type}${i}`;
1858 if (!Ext.isDefined(config[confid])) {
1859 return {
1860 type,
1861 id: i,
1862 confid,
1863 };
1864 }
1865 }
1866
1867 return undefined;
1868 },
7c8ff459
FE
1869
1870 escapeNotesTemplate: function(value) {
1871 let replace = {
1872 '\\': '\\\\',
1873 '\n': '\\n',
1874 };
1875 return value.replace(/(\\|[\n])/g, match => replace[match]);
1876 },
1877
1878 unEscapeNotesTemplate: function(value) {
1879 let replace = {
1880 '\\\\': '\\',
1881 '\\n': '\n',
1882 };
1883 return value.replace(/(\\\\|\\n)/g, match => replace[match]);
1884 },
03875d7a
FE
1885
1886 notesTemplateVars: ['cluster', 'guestname', 'node', 'vmid'],
b7f4cb7c 1887
0a627d94
DC
1888 renderTags: function(tagstext, overrides) {
1889 let text = '';
1890 if (tagstext) {
1891 let tags = (tagstext.split(/[,; ]/) || []).filter(t => !!t);
731436ee 1892 if (PVE.UIOptions.shouldSortTags()) {
13a0c8bf 1893 tags = tags.sort((a, b) => {
871953db
DC
1894 let alc = a.toLowerCase();
1895 let blc = b.toLowerCase();
1896 return alc < blc ? -1 : blc < alc ? 1 : a.localeCompare(b);
1897 });
8d8ba23d 1898 }
0a627d94
DC
1899 text += ' ';
1900 tags.forEach((tag) => {
1901 text += Proxmox.Utils.getTagElement(tag, overrides);
1902 });
1903 }
1904 return text;
1905 },
1906
59e71a08 1907 tagCharRegex: /^[a-z0-9+_.-]+$/i,
fdde857a
SH
1908
1909 verificationStateOrder: {
1910 'failed': 0,
1911 'none': 1,
1912 'ok': 2,
1913 '__default__': 3,
1914 },
e7ade592 1915},
fe4f00ad 1916
9fa2e36d
EK
1917 singleton: true,
1918 constructor: function() {
1919 var me = this;
1920 Ext.apply(me, me.utilities);
d18e15dd
DC
1921
1922 Proxmox.Utils.override_task_descriptions({
1923 acmedeactivate: ['ACME Account', gettext('Deactivate')],
1924 acmenewcert: ['SRV', gettext('Order Certificate')],
1925 acmerefresh: ['ACME Account', gettext('Refresh')],
1926 acmeregister: ['ACME Account', gettext('Register')],
1927 acmerenew: ['SRV', gettext('Renew Certificate')],
1928 acmerevoke: ['SRV', gettext('Revoke Certificate')],
1929 acmeupdate: ['ACME Account', gettext('Update')],
1930 'auth-realm-sync': [gettext('Realm'), gettext('Sync')],
1931 'auth-realm-sync-test': [gettext('Realm'), gettext('Sync Preview')],
1932 cephcreatemds: ['Ceph Metadata Server', gettext('Create')],
1933 cephcreatemgr: ['Ceph Manager', gettext('Create')],
1934 cephcreatemon: ['Ceph Monitor', gettext('Create')],
1935 cephcreateosd: ['Ceph OSD', gettext('Create')],
1936 cephcreatepool: ['Ceph Pool', gettext('Create')],
1937 cephdestroymds: ['Ceph Metadata Server', gettext('Destroy')],
1938 cephdestroymgr: ['Ceph Manager', gettext('Destroy')],
1939 cephdestroymon: ['Ceph Monitor', gettext('Destroy')],
1940 cephdestroyosd: ['Ceph OSD', gettext('Destroy')],
1941 cephdestroypool: ['Ceph Pool', gettext('Destroy')],
02c1e98e 1942 cephdestroyfs: ['CephFS', gettext('Destroy')],
d18e15dd 1943 cephfscreate: ['CephFS', gettext('Create')],
f9f81a01
TL
1944 cephsetpool: ['Ceph Pool', gettext('Edit')],
1945 cephsetflags: ['', gettext('Change global Ceph flags')],
d18e15dd
DC
1946 clustercreate: ['', gettext('Create Cluster')],
1947 clusterjoin: ['', gettext('Join Cluster')],
1948 dircreate: [gettext('Directory Storage'), gettext('Create')],
1949 dirremove: [gettext('Directory'), gettext('Remove')],
79035e5a 1950 download: [gettext('File'), gettext('Download')],
d18e15dd
DC
1951 hamigrate: ['HA', gettext('Migrate')],
1952 hashutdown: ['HA', gettext('Shutdown')],
1953 hastart: ['HA', gettext('Start')],
1954 hastop: ['HA', gettext('Stop')],
1955 imgcopy: ['', gettext('Copy data')],
1956 imgdel: ['', gettext('Erase data')],
1957 lvmcreate: [gettext('LVM Storage'), gettext('Create')],
03c4aed8 1958 lvmremove: ['Volume Group', gettext('Remove')],
d18e15dd 1959 lvmthincreate: [gettext('LVM-Thin Storage'), gettext('Create')],
03c4aed8 1960 lvmthinremove: ['Thinpool', gettext('Remove')],
d18e15dd
DC
1961 migrateall: ['', gettext('Migrate all VMs and Containers')],
1962 'move_volume': ['CT', gettext('Move Volume')],
fe66076f 1963 'pbs-download': ['VM/CT', gettext('File Restore Download')],
d18e15dd
DC
1964 pull_file: ['CT', gettext('Pull file')],
1965 push_file: ['CT', gettext('Push file')],
1966 qmclone: ['VM', gettext('Clone')],
1967 qmconfig: ['VM', gettext('Configure')],
1968 qmcreate: ['VM', gettext('Create')],
1969 qmdelsnapshot: ['VM', gettext('Delete Snapshot')],
1970 qmdestroy: ['VM', gettext('Destroy')],
1971 qmigrate: ['VM', gettext('Migrate')],
1972 qmmove: ['VM', gettext('Move disk')],
1973 qmpause: ['VM', gettext('Pause')],
1974 qmreboot: ['VM', gettext('Reboot')],
1975 qmreset: ['VM', gettext('Reset')],
1976 qmrestore: ['VM', gettext('Restore')],
1977 qmresume: ['VM', gettext('Resume')],
1978 qmrollback: ['VM', gettext('Rollback')],
1979 qmshutdown: ['VM', gettext('Shutdown')],
1980 qmsnapshot: ['VM', gettext('Snapshot')],
1981 qmstart: ['VM', gettext('Start')],
1982 qmstop: ['VM', gettext('Stop')],
1983 qmsuspend: ['VM', gettext('Hibernate')],
1984 qmtemplate: ['VM', gettext('Convert to template')],
1985 spiceproxy: ['VM/CT', gettext('Console') + ' (Spice)'],
1986 spiceshell: ['', gettext('Shell') + ' (Spice)'],
1987 startall: ['', gettext('Start all VMs and Containers')],
1988 stopall: ['', gettext('Stop all VMs and Containers')],
1989 unknownimgdel: ['', gettext('Destroy image from unknown guest')],
4d60651f 1990 wipedisk: ['Device', gettext('Wipe Disk')],
d18e15dd
DC
1991 vncproxy: ['VM/CT', gettext('Console')],
1992 vncshell: ['', gettext('Shell')],
1993 vzclone: ['CT', gettext('Clone')],
1994 vzcreate: ['CT', gettext('Create')],
1995 vzdelsnapshot: ['CT', gettext('Delete Snapshot')],
1996 vzdestroy: ['CT', gettext('Destroy')],
1997 vzdump: (type, id) => id ? `VM/CT ${id} - ${gettext('Backup')}` : gettext('Backup Job'),
1998 vzmigrate: ['CT', gettext('Migrate')],
1999 vzmount: ['CT', gettext('Mount')],
2000 vzreboot: ['CT', gettext('Reboot')],
2001 vzrestore: ['CT', gettext('Restore')],
2002 vzresume: ['CT', gettext('Resume')],
2003 vzrollback: ['CT', gettext('Rollback')],
2004 vzshutdown: ['CT', gettext('Shutdown')],
2005 vzsnapshot: ['CT', gettext('Snapshot')],
2006 vzstart: ['CT', gettext('Start')],
2007 vzstop: ['CT', gettext('Stop')],
2008 vzsuspend: ['CT', gettext('Suspend')],
2009 vztemplate: ['CT', gettext('Convert to template')],
2010 vzumount: ['CT', gettext('Unmount')],
2011 zfscreate: [gettext('ZFS Storage'), gettext('Create')],
03c4aed8 2012 zfsremove: ['ZFS Pool', gettext('Remove')],
d18e15dd 2013 });
f6710aac 2014 },
e7ade592 2015
9fa2e36d 2016});