]> git.proxmox.com Git - proxmox-widget-toolkit.git/blob - src/node/APTRepositories.js
97878b3fef1d3a95960169562d3a8f0994d7e290
[proxmox-widget-toolkit.git] / src / node / APTRepositories.js
1 Ext.define('apt-repolist', {
2 extend: 'Ext.data.Model',
3 fields: [
4 'Path',
5 'Index',
6 'Origin',
7 'FileType',
8 'Enabled',
9 'Comment',
10 'Types',
11 'URIs',
12 'Suites',
13 'Components',
14 'Options',
15 ],
16 });
17
18 Ext.define('Proxmox.window.APTRepositoryAdd', {
19 extend: 'Proxmox.window.Edit',
20 alias: 'widget.pmxAPTRepositoryAdd',
21
22 isCreate: true,
23 isAdd: true,
24
25 subject: gettext('Repository'),
26 width: 600,
27
28 initComponent: function() {
29 let me = this;
30
31 if (!me.repoInfo || me.repoInfo.length === 0) {
32 throw "repository information not initialized";
33 }
34
35 let description = Ext.create('Ext.form.field.Display', {
36 fieldLabel: gettext('Description'),
37 name: 'description',
38 });
39
40 let status = Ext.create('Ext.form.field.Display', {
41 fieldLabel: gettext('Status'),
42 name: 'status',
43 renderer: function(value) {
44 let statusText = gettext('Not yet configured');
45 if (value !== '') {
46 statusText = Ext.String.format(
47 '{0}: {1}',
48 gettext('Configured'),
49 value ? gettext('enabled') : gettext('disabled'),
50 );
51 }
52
53 return statusText;
54 },
55 });
56
57 let repoSelector = Ext.create('Proxmox.form.KVComboBox', {
58 fieldLabel: gettext('Repository'),
59 xtype: 'proxmoxKVComboBox',
60 name: 'handle',
61 allowBlank: false,
62 comboItems: me.repoInfo.map(info => [info.handle, info.name]),
63 validator: function(renderedValue) {
64 let handle = this.value;
65 // we cannot use this.callParent in instantiations
66 let valid = Proxmox.form.KVComboBox.prototype.validator.call(this, renderedValue);
67
68 if (!valid || !handle) {
69 return false;
70 }
71
72 const info = me.repoInfo.find(elem => elem.handle === handle);
73 if (!info) {
74 return false;
75 }
76
77 if (info.status) {
78 return Ext.String.format(gettext('{0} is already configured'), renderedValue);
79 }
80 return valid;
81 },
82 listeners: {
83 change: function(f, value) {
84 const info = me.repoInfo.find(elem => elem.handle === value);
85 description.setValue(info.description);
86 status.setValue(info.status);
87 },
88 },
89 });
90
91 repoSelector.setValue(me.repoInfo[0].handle);
92
93 Ext.apply(me, {
94 items: [
95 repoSelector,
96 description,
97 status,
98 ],
99 repoSelector: repoSelector,
100 });
101
102 me.callParent();
103 },
104 });
105
106 Ext.define('Proxmox.node.APTRepositoriesErrors', {
107 extend: 'Ext.grid.GridPanel',
108
109 xtype: 'proxmoxNodeAPTRepositoriesErrors',
110
111 store: {},
112
113 scrollable: true,
114
115 viewConfig: {
116 stripeRows: false,
117 getRowClass: (record) => {
118 switch (record.data.status) {
119 case 'warning': return 'proxmox-warning-row';
120 case 'critical': return 'proxmox-invalid-row';
121 default: return '';
122 }
123 },
124 },
125
126 hideHeaders: true,
127
128 columns: [
129 {
130 dataIndex: 'status',
131 renderer: (value) => `<i class="fa fa-fw ${Proxmox.Utils.get_health_icon(value, true)}"></i>`,
132 width: 50,
133 },
134 {
135 dataIndex: 'message',
136 flex: 1,
137 },
138 ],
139 });
140
141 Ext.define('Proxmox.node.APTRepositoriesGrid', {
142 extend: 'Ext.grid.GridPanel',
143 xtype: 'proxmoxNodeAPTRepositoriesGrid',
144
145 title: gettext('APT Repositories'),
146
147 cls: 'proxmox-apt-repos', // to allow applying styling to general components with local effect
148
149 border: false,
150
151 tbar: [
152 {
153 text: gettext('Reload'),
154 iconCls: 'fa fa-refresh',
155 handler: function() {
156 let me = this;
157 me.up('proxmoxNodeAPTRepositories').reload();
158 },
159 },
160 {
161 text: gettext('Add'),
162 name: 'addRepo',
163 disabled: true,
164 repoInfo: undefined,
165 handler: function(button, event, record) {
166 Proxmox.Utils.checked_command(() => {
167 let me = this;
168 let panel = me.up('proxmoxNodeAPTRepositories');
169
170 let extraParams = {};
171 if (panel.digest !== undefined) {
172 extraParams.digest = panel.digest;
173 }
174
175 Ext.create('Proxmox.window.APTRepositoryAdd', {
176 repoInfo: me.repoInfo,
177 url: `/api2/extjs/nodes/${panel.nodename}/apt/repositories`,
178 method: 'PUT',
179 extraRequestParams: extraParams,
180 listeners: {
181 destroy: function() {
182 panel.reload();
183 },
184 },
185 }).show();
186 });
187 },
188 },
189 '-',
190 {
191 xtype: 'proxmoxButton',
192 text: gettext('Enable'),
193 defaultText: gettext('Enable'),
194 altText: gettext('Disable'),
195 name: 'repoEnable',
196 disabled: true,
197 bind: {
198 text: '{enableButtonText}',
199 },
200 handler: function(button, event, record) {
201 let me = this;
202 let panel = me.up('proxmoxNodeAPTRepositories');
203
204 let params = {
205 path: record.data.Path,
206 index: record.data.Index,
207 enabled: record.data.Enabled ? 0 : 1, // invert
208 };
209
210 if (panel.digest !== undefined) {
211 params.digest = panel.digest;
212 }
213
214 Proxmox.Utils.API2Request({
215 url: `/nodes/${panel.nodename}/apt/repositories`,
216 method: 'POST',
217 params: params,
218 failure: function(response, opts) {
219 Ext.Msg.alert(gettext('Error'), response.htmlStatus);
220 panel.reload();
221 },
222 success: function(response, opts) {
223 panel.reload();
224 },
225 });
226 },
227 listeners: {
228 render: function(btn) {
229 // HACK: calculate the max button width on first render to avoid toolbar glitches
230 let defSize = btn.getSize().width;
231
232 btn.setText(btn.altText);
233 let altSize = btn.getSize().width;
234
235 btn.setText(btn.defaultText);
236 btn.setSize({ width: altSize > defSize ? altSize : defSize });
237 },
238 },
239 },
240 ],
241
242 sortableColumns: false,
243 viewConfig: {
244 stripeRows: false,
245 getRowClass: (record, index) => record.get('Enabled') ? '' : 'proxmox-disabled-row',
246 },
247
248 columns: [
249 {
250 xtype: 'checkcolumn',
251 header: gettext('Enabled'),
252 dataIndex: 'Enabled',
253 listeners: {
254 beforecheckchange: () => false, // veto, we don't want to allow inline change - to subtle
255 },
256 width: 90,
257 },
258 {
259 header: gettext('Types'),
260 dataIndex: 'Types',
261 renderer: function(types, cell, record) {
262 return types.join(' ');
263 },
264 width: 100,
265 },
266 {
267 header: gettext('URIs'),
268 dataIndex: 'URIs',
269 renderer: function(uris, cell, record) {
270 return uris.join(' ');
271 },
272 width: 350,
273 },
274 {
275 header: gettext('Suites'),
276 dataIndex: 'Suites',
277 renderer: function(suites, metaData, record) {
278 let err = '';
279 if (record.data.warnings && record.data.warnings.length > 0) {
280 let txt = [gettext('Warning')];
281 record.data.warnings.forEach((warning) => {
282 if (warning.property === 'Suites') {
283 txt.push(warning.message);
284 }
285 });
286 metaData.tdAttr = `data-qtip="${Ext.htmlEncode(txt.join('<br>'))}"`;
287 if (record.data.Enabled) {
288 metaData.tdCls = 'proxmox-invalid-row';
289 err = '<i class="fa fa-fw critical fa-exclamation-circle"></i> ';
290 } else {
291 metaData.tdCls = 'proxmox-warning-row';
292 err = '<i class="fa fa-fw warning fa-exclamation-circle"></i> ';
293 }
294 }
295 return suites.join(' ') + err;
296 },
297 width: 130,
298 },
299 {
300 header: gettext('Components'),
301 dataIndex: 'Components',
302 renderer: function(components, metaData, record) {
303 let err = '';
304 if (components.length === 1) {
305 // FIXME: this should be a flag set to the actual repsotiories, i.e., a tristate
306 // like production-ready = <yes|no|other> (Option<bool>)
307 if (components[0].match(/\w+(-no-subscription|test)\s*$/i)) {
308 metaData.tdCls = 'proxmox-warning-row';
309 err = '<i class="fa fa-fw warning fa-exclamation-circle"></i> ';
310
311 let qtip = components[0].match(/no-subscription/)
312 ? gettext('The no-subscription repository is NOT production-ready')
313 : gettext('The test repository may contain unstable updates')
314 ;
315 metaData.tdAttr = `data-qtip="${Ext.htmlEncode(qtip)}"`;
316 }
317 }
318 return components.join(' ') + err;
319 },
320 width: 170,
321 },
322 {
323 header: gettext('Options'),
324 dataIndex: 'Options',
325 renderer: function(options, cell, record) {
326 if (!options) {
327 return '';
328 }
329
330 let filetype = record.data.FileType;
331 let text = '';
332
333 options.forEach(function(option) {
334 let key = option.Key;
335 if (filetype === 'list') {
336 let values = option.Values.join(',');
337 text += `${key}=${values} `;
338 } else if (filetype === 'sources') {
339 let values = option.Values.join(' ');
340 text += `${key}: ${values}<br>`;
341 } else {
342 throw "unkown file type";
343 }
344 });
345 return text;
346 },
347 flex: 1,
348 },
349 {
350 header: gettext('Origin'),
351 dataIndex: 'Origin',
352 width: 120,
353 renderer: (value, meta, rec) => {
354 if (typeof value !== 'string' || value.length === 0) {
355 value = gettext('Other');
356 }
357 let cls = 'fa fa-fw fa-question-circle-o';
358 if (value.match(/^\s*Proxmox\s*$/i)) {
359 cls = 'pmx-itype-icon pmx-itype-icon-proxmox-x';
360 } else if (value.match(/^\s*Debian\s*$/i)) {
361 cls = 'pmx-itype-icon pmx-itype-icon-debian-swirl';
362 }
363 return `<i class='${cls}'></i> ${value}`;
364 },
365 },
366 {
367 header: gettext('Comment'),
368 dataIndex: 'Comment',
369 flex: 2,
370 },
371 ],
372
373 features: [
374 {
375 ftype: 'grouping',
376 groupHeaderTpl: '{[ "File: " + values.name ]} ({rows.length} repositor{[values.rows.length > 1 ? "ies" : "y"]})',
377 enableGroupingMenu: false,
378 },
379 ],
380
381
382 store: {
383 model: 'apt-repolist',
384 groupField: 'Path',
385 sorters: [
386 {
387 property: 'Index',
388 direction: 'ASC',
389 },
390 ],
391 },
392
393 initComponent: function() {
394 let me = this;
395
396 if (!me.nodename) {
397 throw "no node name specified";
398 }
399
400 me.callParent();
401 },
402 });
403
404 Ext.define('Proxmox.node.APTRepositories', {
405 extend: 'Ext.panel.Panel',
406 xtype: 'proxmoxNodeAPTRepositories',
407 mixins: ['Proxmox.Mixin.CBind'],
408
409 digest: undefined,
410
411 product: 'Proxmox VE', // default
412
413 controller: {
414 xclass: 'Ext.app.ViewController',
415
416 selectionChange: function(grid, selection) {
417 let me = this;
418 if (!selection || selection.length < 1) {
419 return;
420 }
421 let rec = selection[0];
422 let vm = me.getViewModel();
423 vm.set('selectionenabled', rec.get('Enabled'));
424 vm.notify();
425 },
426
427 updateState: function() {
428 let me = this;
429 let vm = me.getViewModel();
430
431 let store = vm.get('errorstore');
432 store.removeAll();
433
434 let status = 'good'; // start with best, the helper below will downgrade if needed
435 let text = gettext('All OK, you have production-ready repositories configured!');
436
437 let errors = vm.get('errors');
438 errors.forEach((error) => {
439 status = 'critical';
440 store.add({
441 status: 'critical',
442 message: `${error.path} - ${error.error}`,
443 });
444 });
445
446 let addGood = message => store.add({ status: 'good', message });
447
448 let addWarn = (message, important) => {
449 if (status !== 'critical') {
450 status = 'warning';
451 text = important ? message : gettext('Warning');
452 }
453 store.add({ status: 'warning', message });
454 };
455
456 let activeSubscription = vm.get('subscriptionActive');
457 let enterprise = vm.get('enterpriseRepo');
458 let nosubscription = vm.get('noSubscriptionRepo');
459 let test = vm.get('testRepo');
460 let wrongSuites = vm.get('suitesWarning');
461
462 if (!enterprise && !nosubscription && !test) {
463 addWarn(Ext.String.format(gettext('No {0} repository is enabled, you do not get any updates!'), vm.get('product')));
464 } else if (enterprise && !nosubscription && !test && activeSubscription) {
465 addGood(Ext.String.format(gettext('You get supported updates for {0}'), vm.get('product')));
466 } else if (nosubscription || test) {
467 addGood(Ext.String.format(gettext('You get updates for {0}'), vm.get('product')));
468 }
469
470 if (wrongSuites) {
471 addWarn(gettext('Some suites are misconfigured'));
472 }
473
474 if (!activeSubscription && enterprise) {
475 addWarn(gettext('The enterprise repository is enabled, but there is no active subscription!'));
476 }
477
478 if (nosubscription) {
479 addWarn(gettext('The no-subscription repository is not recommended for production use!'));
480 }
481
482 if (test) {
483 addWarn(gettext('The test repository may pull in unstable updates and is not recommended for production use!'));
484 }
485
486 if (errors.length > 0) {
487 text = gettext('Fatal error when parsing at least one repository');
488 }
489
490 let iconCls = Proxmox.Utils.get_health_icon(status, true);
491
492 vm.set('state', {
493 iconCls,
494 text,
495 });
496 },
497 },
498
499 viewModel: {
500 data: {
501 product: 'Proxmox VE', // default
502 errors: [],
503 suitesWarning: false,
504 subscriptionActive: '',
505 noSubscriptionRepo: '',
506 enterpriseRepo: '',
507 testRepo: '',
508 selectionenabled: false,
509 state: {},
510 },
511 formulas: {
512 enableButtonText: (get) => get('selectionenabled')
513 ? gettext('Disable') : gettext('Enable'),
514 },
515 stores: {
516 errorstore: {
517 fields: ['status', 'message'],
518 },
519 },
520 },
521
522 scrollable: true,
523 layout: {
524 type: 'vbox',
525 align: 'stretch',
526 },
527
528 items: [
529 {
530 xtype: 'panel',
531 border: false,
532 layout: {
533 type: 'hbox',
534 align: 'stretch',
535 },
536 height: 200,
537 title: gettext('Status'),
538 items: [
539 {
540 xtype: 'box',
541 flex: 2,
542 margin: 10,
543 data: {
544 iconCls: Proxmox.Utils.get_health_icon(undefined, true),
545 text: '',
546 },
547 bind: {
548 data: '{state}',
549 },
550 tpl: [
551 '<center class="centered-flex-column" style="font-size:15px;line-height: 25px;">',
552 '<i class="fa fa-4x {iconCls}"></i>',
553 '{text}',
554 '</center>',
555 ],
556 },
557 {
558 xtype: 'proxmoxNodeAPTRepositoriesErrors',
559 name: 'repositoriesErrors',
560 flex: 7,
561 margin: 10,
562 bind: {
563 store: '{errorstore}',
564 },
565 },
566 ],
567 },
568 {
569 xtype: 'proxmoxNodeAPTRepositoriesGrid',
570 name: 'repositoriesGrid',
571 flex: 1,
572 cbind: {
573 nodename: '{nodename}',
574 },
575 majorUpgradeAllowed: false, // TODO get release information from an API call?
576 listeners: {
577 selectionchange: 'selectionChange',
578 },
579 },
580 ],
581
582 check_subscription: function() {
583 let me = this;
584 let vm = me.getViewModel();
585
586 Proxmox.Utils.API2Request({
587 url: `/nodes/${me.nodename}/subscription`,
588 method: 'GET',
589 failure: (response, opts) => Ext.Msg.alert(gettext('Error'), response.htmlStatus),
590 success: function(response, opts) {
591 const res = response.result;
592 const subscription = !(!res || !res.data || res.data.status.toLowerCase() !== 'active');
593 vm.set('subscriptionActive', subscription);
594 me.getController().updateState();
595 },
596 });
597 },
598
599 updateStandardRepos: function(standardRepos) {
600 let me = this;
601 let vm = me.getViewModel();
602
603 let addButton = me.down('button[name=addRepo]');
604
605 addButton.repoInfo = [];
606 for (const standardRepo of standardRepos) {
607 const handle = standardRepo.handle;
608 const status = standardRepo.status;
609
610 if (handle === "enterprise") {
611 vm.set('enterpriseRepo', status);
612 } else if (handle === "no-subscription") {
613 vm.set('noSubscriptionRepo', status);
614 } else if (handle === 'test') {
615 vm.set('testRepo', status);
616 }
617 me.getController().updateState();
618
619 addButton.repoInfo.push(standardRepo);
620 addButton.digest = me.digest;
621 }
622
623 addButton.setDisabled(false);
624 },
625
626 reload: function() {
627 let me = this;
628 let vm = me.getViewModel();
629 let repoGrid = me.down('proxmoxNodeAPTRepositoriesGrid');
630
631 me.store.load(function(records, operation, success) {
632 let gridData = [];
633 let errors = [];
634 let digest;
635 let suitesWarning = false;
636
637 if (success && records.length > 0) {
638 let data = records[0].data;
639 let files = data.files;
640 errors = data.errors;
641 digest = data.digest;
642
643 let infos = {};
644 for (const info of data.infos) {
645 let path = info.path;
646 let idx = info.index;
647
648 if (!infos[path]) {
649 infos[path] = {};
650 }
651 if (!infos[path][idx]) {
652 infos[path][idx] = {
653 origin: '',
654 warnings: [],
655 };
656 }
657
658 if (info.kind === 'origin') {
659 infos[path][idx].origin = info.message;
660 } else if (info.kind === 'warning' ||
661 (info.kind === 'ignore-pre-upgrade-warning' && !repoGrid.majorUpgradeAllowed)
662 ) {
663 infos[path][idx].warnings.push(info);
664 if (!suitesWarning && info.property === 'Suites') {
665 suitesWarning = true;
666 }
667 } else {
668 throw 'unknown info';
669 }
670 }
671
672
673 files.forEach(function(file) {
674 for (let n = 0; n < file.repositories.length; n++) {
675 let repo = file.repositories[n];
676 repo.Path = file.path;
677 repo.Index = n;
678 if (infos[file.path] && infos[file.path][n]) {
679 repo.Origin = infos[file.path][n].origin || Proxmox.Utils.UnknownText;
680 repo.warnings = infos[file.path][n].warnings || [];
681 }
682 gridData.push(repo);
683 }
684 });
685
686 repoGrid.store.loadData(gridData);
687
688 me.updateStandardRepos(data['standard-repos']);
689 }
690
691 me.digest = digest;
692
693 vm.set('errors', errors);
694 vm.set('suitesWarning', suitesWarning);
695 me.getController().updateState();
696 });
697
698 me.check_subscription();
699 },
700
701 listeners: {
702 activate: function() {
703 let me = this;
704 me.reload();
705 },
706 },
707
708 initComponent: function() {
709 let me = this;
710
711 if (!me.nodename) {
712 throw "no node name specified";
713 }
714
715 let store = Ext.create('Ext.data.Store', {
716 proxy: {
717 type: 'proxmox',
718 url: `/api2/json/nodes/${me.nodename}/apt/repositories`,
719 },
720 });
721
722 Ext.apply(me, { store: store });
723
724 Proxmox.Utils.monStoreErrors(me, me.store, true);
725
726 me.callParent();
727
728 me.getViewModel().set('product', me.product);
729 },
730 });