luci-app-olsr: handle empty result for non-status tables
[oweals/luci.git] / modules / luci-base / htdocs / luci-static / resources / luci.js
1 (function(window, document, undefined) {
2         'use strict';
3
4         /* Object.assign polyfill for IE */
5         if (typeof Object.assign !== 'function') {
6                 Object.defineProperty(Object, 'assign', {
7                         value: function assign(target, varArgs) {
8                                 if (target == null)
9                                         throw new TypeError('Cannot convert undefined or null to object');
10
11                                 var to = Object(target);
12
13                                 for (var index = 1; index < arguments.length; index++)
14                                         if (arguments[index] != null)
15                                                 for (var nextKey in arguments[index])
16                                                         if (Object.prototype.hasOwnProperty.call(arguments[index], nextKey))
17                                                                 to[nextKey] = arguments[index][nextKey];
18
19                                 return to;
20                         },
21                         writable: true,
22                         configurable: true
23                 });
24         }
25
26         /* Promise.finally polyfill */
27         if (typeof Promise.prototype.finally !== 'function') {
28                 Promise.prototype.finally = function(fn) {
29                         var onFinally = function(cb) {
30                                 return Promise.resolve(fn.call(this)).then(cb);
31                         };
32
33                         return this.then(
34                                 function(result) { return onFinally.call(this, function() { return result }) },
35                                 function(reason) { return onFinally.call(this, function() { return Promise.reject(reason) }) }
36                         );
37                 };
38         }
39
40         /*
41          * Class declaration and inheritance helper
42          */
43
44         var toCamelCase = function(s) {
45                 return s.replace(/(?:^|[\. -])(.)/g, function(m0, m1) { return m1.toUpperCase() });
46         };
47
48         var superContext = null, Class = Object.assign(function() {}, {
49                 extend: function(properties) {
50                         var props = {
51                                 __base__: { value: this.prototype },
52                                 __name__: { value: properties.__name__ || 'anonymous' }
53                         };
54
55                         var ClassConstructor = function() {
56                                 if (!(this instanceof ClassConstructor))
57                                         throw new TypeError('Constructor must not be called without "new"');
58
59                                 if (Object.getPrototypeOf(this).hasOwnProperty('__init__')) {
60                                         if (typeof(this.__init__) != 'function')
61                                                 throw new TypeError('Class __init__ member is not a function');
62
63                                         this.__init__.apply(this, arguments)
64                                 }
65                                 else {
66                                         this.super('__init__', arguments);
67                                 }
68                         };
69
70                         for (var key in properties)
71                                 if (!props[key] && properties.hasOwnProperty(key))
72                                         props[key] = { value: properties[key], writable: true };
73
74                         ClassConstructor.prototype = Object.create(this.prototype, props);
75                         ClassConstructor.prototype.constructor = ClassConstructor;
76                         Object.assign(ClassConstructor, this);
77                         ClassConstructor.displayName = toCamelCase(props.__name__.value + 'Class');
78
79                         return ClassConstructor;
80                 },
81
82                 singleton: function(properties /*, ... */) {
83                         return Class.extend(properties)
84                                 .instantiate(Class.prototype.varargs(arguments, 1));
85                 },
86
87                 instantiate: function(args) {
88                         return new (Function.prototype.bind.apply(this,
89                                 Class.prototype.varargs(args, 0, null)))();
90                 },
91
92                 call: function(self, method) {
93                         if (typeof(this.prototype[method]) != 'function')
94                                 throw new ReferenceError(method + ' is not defined in class');
95
96                         return this.prototype[method].apply(self, self.varargs(arguments, 1));
97                 },
98
99                 isSubclass: function(_class) {
100                         return (_class != null &&
101                                 typeof(_class) == 'function' &&
102                                 _class.prototype instanceof this);
103                 },
104
105                 prototype: {
106                         varargs: function(args, offset /*, ... */) {
107                                 return Array.prototype.slice.call(arguments, 2)
108                                         .concat(Array.prototype.slice.call(args, offset));
109                         },
110
111                         super: function(key, callArgs) {
112                                 for (superContext = Object.getPrototypeOf(superContext ||
113                                                                           Object.getPrototypeOf(this));
114                                      superContext && !superContext.hasOwnProperty(key);
115                                      superContext = Object.getPrototypeOf(superContext)) { }
116
117                                 if (!superContext)
118                                         return null;
119
120                                 var res = superContext[key];
121
122                                 if (arguments.length > 1) {
123                                         if (typeof(res) != 'function')
124                                                 throw new ReferenceError(key + ' is not a function in base class');
125
126                                         if (typeof(callArgs) != 'object')
127                                                 callArgs = this.varargs(arguments, 1);
128
129                                         res = res.apply(this, callArgs);
130                                 }
131
132                                 superContext = null;
133
134                                 return res;
135                         },
136
137                         toString: function() {
138                                 var s = '[' + this.constructor.displayName + ']', f = true;
139                                 for (var k in this) {
140                                         if (this.hasOwnProperty(k)) {
141                                                 s += (f ? ' {\n' : '') + '  ' + k + ': ' + typeof(this[k]) + '\n';
142                                                 f = false;
143                                         }
144                                 }
145                                 return s + (f ? '' : '}');
146                         }
147                 }
148         });
149
150
151         /*
152          * HTTP Request helper
153          */
154
155         var Headers = Class.extend({
156                 __name__: 'LuCI.XHR.Headers',
157                 __init__: function(xhr) {
158                         var hdrs = this.headers = {};
159                         xhr.getAllResponseHeaders().split(/\r\n/).forEach(function(line) {
160                                 var m = /^([^:]+):(.*)$/.exec(line);
161                                 if (m != null)
162                                         hdrs[m[1].trim().toLowerCase()] = m[2].trim();
163                         });
164                 },
165
166                 has: function(name) {
167                         return this.headers.hasOwnProperty(String(name).toLowerCase());
168                 },
169
170                 get: function(name) {
171                         var key = String(name).toLowerCase();
172                         return this.headers.hasOwnProperty(key) ? this.headers[key] : null;
173                 }
174         });
175
176         var Response = Class.extend({
177                 __name__: 'LuCI.XHR.Response',
178                 __init__: function(xhr, url, duration, headers, content) {
179                         this.ok = (xhr.status >= 200 && xhr.status <= 299);
180                         this.status = xhr.status;
181                         this.statusText = xhr.statusText;
182                         this.headers = (headers != null) ? headers : new Headers(xhr);
183                         this.duration = duration;
184                         this.url = url;
185                         this.xhr = xhr;
186
187                         if (content != null && typeof(content) == 'object') {
188                                 this.responseJSON = content;
189                                 this.responseText = null;
190                         }
191                         else if (content != null) {
192                                 this.responseJSON = null;
193                                 this.responseText = String(content);
194                         }
195                         else {
196                                 this.responseJSON = null;
197                                 this.responseText = xhr.responseText;
198                         }
199                 },
200
201                 clone: function(content) {
202                         var copy = new Response(this.xhr, this.url, this.duration, this.headers, content);
203
204                         copy.ok = this.ok;
205                         copy.status = this.status;
206                         copy.statusText = this.statusText;
207
208                         return copy;
209                 },
210
211                 json: function() {
212                         if (this.responseJSON == null)
213                                 this.responseJSON = JSON.parse(this.responseText);
214
215                         return this.responseJSON;
216                 },
217
218                 text: function() {
219                         if (this.responseText == null && this.responseJSON != null)
220                                 this.responseText = JSON.stringify(this.responseJSON);
221
222                         return this.responseText;
223                 }
224         });
225
226
227         var requestQueue = [];
228
229         function isQueueableRequest(opt) {
230                 if (!classes.rpc)
231                         return false;
232
233                 if (opt.method != 'POST' || typeof(opt.content) != 'object')
234                         return false;
235
236                 if (opt.nobatch === true)
237                         return false;
238
239                 var rpcBaseURL = Request.expandURL(classes.rpc.getBaseURL());
240
241                 return (rpcBaseURL != null && opt.url.indexOf(rpcBaseURL) == 0);
242         }
243
244         function flushRequestQueue() {
245                 if (!requestQueue.length)
246                         return;
247
248                 var reqopt = Object.assign({}, requestQueue[0][0], { content: [], nobatch: true }),
249                     batch = [];
250
251                 for (var i = 0; i < requestQueue.length; i++) {
252                         batch[i] = requestQueue[i];
253                         reqopt.content[i] = batch[i][0].content;
254                 }
255
256                 requestQueue.length = 0;
257
258                 Request.request(rpcBaseURL, reqopt).then(function(reply) {
259                         var json = null, req = null;
260
261                         try { json = reply.json() }
262                         catch(e) { }
263
264                         while ((req = batch.shift()) != null)
265                                 if (Array.isArray(json) && json.length)
266                                         req[2].call(reqopt, reply.clone(json.shift()));
267                                 else
268                                         req[1].call(reqopt, new Error('No related RPC reply'));
269                 }).catch(function(error) {
270                         var req = null;
271
272                         while ((req = batch.shift()) != null)
273                                 req[1].call(reqopt, error);
274                 });
275         }
276
277         var Request = Class.singleton({
278                 __name__: 'LuCI.Request',
279
280                 interceptors: [],
281
282                 expandURL: function(url) {
283                         if (!/^(?:[^/]+:)?\/\//.test(url))
284                                 url = location.protocol + '//' + location.host + url;
285
286                         return url;
287                 },
288
289                 request: function(target, options) {
290                         var state = { xhr: new XMLHttpRequest(), url: this.expandURL(target), start: Date.now() },
291                             opt = Object.assign({}, options, state),
292                             content = null,
293                             contenttype = null,
294                             callback = this.handleReadyStateChange;
295
296                         return new Promise(function(resolveFn, rejectFn) {
297                                 opt.xhr.onreadystatechange = callback.bind(opt, resolveFn, rejectFn);
298                                 opt.method = String(opt.method || 'GET').toUpperCase();
299
300                                 if ('query' in opt) {
301                                         var q = (opt.query != null) ? Object.keys(opt.query).map(function(k) {
302                                                 if (opt.query[k] != null) {
303                                                         var v = (typeof(opt.query[k]) == 'object')
304                                                                 ? JSON.stringify(opt.query[k])
305                                                                 : String(opt.query[k]);
306
307                                                         return '%s=%s'.format(encodeURIComponent(k), encodeURIComponent(v));
308                                                 }
309                                                 else {
310                                                         return encodeURIComponent(k);
311                                                 }
312                                         }).join('&') : '';
313
314                                         if (q !== '') {
315                                                 switch (opt.method) {
316                                                 case 'GET':
317                                                 case 'HEAD':
318                                                 case 'OPTIONS':
319                                                         opt.url += ((/\?/).test(opt.url) ? '&' : '?') + q;
320                                                         break;
321
322                                                 default:
323                                                         if (content == null) {
324                                                                 content = q;
325                                                                 contenttype = 'application/x-www-form-urlencoded';
326                                                         }
327                                                 }
328                                         }
329                                 }
330
331                                 if (!opt.cache)
332                                         opt.url += ((/\?/).test(opt.url) ? '&' : '?') + (new Date()).getTime();
333
334                                 if (isQueueableRequest(opt)) {
335                                         requestQueue.push([opt, rejectFn, resolveFn]);
336                                         requestAnimationFrame(flushRequestQueue);
337                                         return;
338                                 }
339
340                                 if ('username' in opt && 'password' in opt)
341                                         opt.xhr.open(opt.method, opt.url, true, opt.username, opt.password);
342                                 else
343                                         opt.xhr.open(opt.method, opt.url, true);
344
345                                 opt.xhr.responseType = 'text';
346
347                                 if ('overrideMimeType' in opt.xhr)
348                                         opt.xhr.overrideMimeType('application/octet-stream');
349
350                                 if ('timeout' in opt)
351                                         opt.xhr.timeout = +opt.timeout;
352
353                                 if ('credentials' in opt)
354                                         opt.xhr.withCredentials = !!opt.credentials;
355
356                                 if (opt.content != null) {
357                                         switch (typeof(opt.content)) {
358                                         case 'function':
359                                                 content = opt.content(xhr);
360                                                 break;
361
362                                         case 'object':
363                                                 content = JSON.stringify(opt.content);
364                                                 contenttype = 'application/json';
365                                                 break;
366
367                                         default:
368                                                 content = String(opt.content);
369                                         }
370                                 }
371
372                                 if ('headers' in opt)
373                                         for (var header in opt.headers)
374                                                 if (opt.headers.hasOwnProperty(header)) {
375                                                         if (header.toLowerCase() != 'content-type')
376                                                                 opt.xhr.setRequestHeader(header, opt.headers[header]);
377                                                         else
378                                                                 contenttype = opt.headers[header];
379                                                 }
380
381                                 if (contenttype != null)
382                                         opt.xhr.setRequestHeader('Content-Type', contenttype);
383
384                                 try {
385                                         opt.xhr.send(content);
386                                 }
387                                 catch (e) {
388                                         rejectFn.call(opt, e);
389                                 }
390                         });
391                 },
392
393                 handleReadyStateChange: function(resolveFn, rejectFn, ev) {
394                         var xhr = this.xhr;
395
396                         if (xhr.readyState !== 4)
397                                 return;
398
399                         if (xhr.status === 0 && xhr.statusText === '') {
400                                 rejectFn.call(this, new Error('XHR request aborted by browser'));
401                         }
402                         else {
403                                 var response = new Response(
404                                         xhr, xhr.responseURL || this.url, Date.now() - this.start);
405
406                                 Promise.all(Request.interceptors.map(function(fn) { return fn(response) }))
407                                         .then(resolveFn.bind(this, response))
408                                         .catch(rejectFn.bind(this));
409                         }
410                 },
411
412                 get: function(url, options) {
413                         return this.request(url, Object.assign({ method: 'GET' }, options));
414                 },
415
416                 post: function(url, data, options) {
417                         return this.request(url, Object.assign({ method: 'POST', content: data }, options));
418                 },
419
420                 addInterceptor: function(interceptorFn) {
421                         if (typeof(interceptorFn) == 'function')
422                                 this.interceptors.push(interceptorFn);
423                         return interceptorFn;
424                 },
425
426                 removeInterceptor: function(interceptorFn) {
427                         var oldlen = this.interceptors.length, i = oldlen;
428                         while (i--)
429                                 if (this.interceptors[i] === interceptorFn)
430                                         this.interceptors.splice(i, 1);
431                         return (this.interceptors.length < oldlen);
432                 },
433
434                 poll: {
435                         add: function(interval, url, options, callback) {
436                                 if (isNaN(interval) || interval <= 0)
437                                         throw new TypeError('Invalid poll interval');
438
439                                 var ival = interval >>> 0,
440                                     opts = Object.assign({}, options, { timeout: ival * 1000 - 5 });
441
442                                 return Poll.add(function() {
443                                         return Request.request(url, options).then(function(res) {
444                                                 if (!Poll.active())
445                                                         return;
446
447                                                 try {
448                                                         callback(res, res.json(), res.duration);
449                                                 }
450                                                 catch (err) {
451                                                         callback(res, null, res.duration);
452                                                 }
453                                         });
454                                 }, ival);
455                         },
456
457                         remove: function(entry) { return Poll.remove(entry) },
458                         start: function() { return Poll.start() },
459                         stop: function() { return Poll.stop() },
460                         active: function() { return Poll.active() }
461                 }
462         });
463
464         var Poll = Class.singleton({
465                 __name__: 'LuCI.Poll',
466
467                 queue: [],
468
469                 add: function(fn, interval) {
470                         if (interval == null || interval <= 0)
471                                 interval = window.L ? window.L.env.pollinterval : null;
472
473                         if (isNaN(interval) || typeof(fn) != 'function')
474                                 throw new TypeError('Invalid argument to LuCI.Poll.add()');
475
476                         for (var i = 0; i < this.queue.length; i++)
477                                 if (this.queue[i].fn === fn)
478                                         return false;
479
480                         var e = {
481                                 r: true,
482                                 i: interval >>> 0,
483                                 fn: fn
484                         };
485
486                         this.queue.push(e);
487
488                         if (this.tick != null && !this.active())
489                                 this.start();
490
491                         return true;
492                 },
493
494                 remove: function(entry) {
495                         if (typeof(fn) != 'function')
496                                 throw new TypeError('Invalid argument to LuCI.Poll.remove()');
497
498                         var len = this.queue.length;
499
500                         for (var i = len; i > 0; i--)
501                                 if (this.queue[i-1].fn === fn)
502                                         this.queue.splice(i-1, 1);
503
504                         if (!this.queue.length && this.stop())
505                                 this.tick = 0;
506
507                         return (this.queue.length != len);
508                 },
509
510                 start: function() {
511                         if (this.active())
512                                 return false;
513
514                         this.tick = 0;
515
516                         if (this.queue.length) {
517                                 this.timer = window.setInterval(this.step, 1000);
518                                 this.step();
519                                 document.dispatchEvent(new CustomEvent('poll-start'));
520                         }
521
522                         return true;
523                 },
524
525                 stop: function() {
526                         if (!this.active())
527                                 return false;
528
529                         document.dispatchEvent(new CustomEvent('poll-stop'));
530                         window.clearInterval(this.timer);
531                         delete this.timer;
532                         delete this.tick;
533                         return true;
534                 },
535
536                 step: function() {
537                         for (var i = 0, e = null; (e = Poll.queue[i]) != null; i++) {
538                                 if ((Poll.tick % e.i) != 0)
539                                         continue;
540
541                                 if (!e.r)
542                                         continue;
543
544                                 e.r = false;
545
546                                 Promise.resolve(e.fn()).finally((function() { this.r = true }).bind(e));
547                         }
548
549                         Poll.tick = (Poll.tick + 1) % Math.pow(2, 32);
550                 },
551
552                 active: function() {
553                         return (this.timer != null);
554                 }
555         });
556
557
558         var dummyElem = null,
559             domParser = null,
560             originalCBIInit = null,
561             rpcBaseURL = null,
562             classes = {};
563
564         var LuCI = Class.extend({
565                 __name__: 'LuCI',
566                 __init__: function(env) {
567
568                         document.querySelectorAll('script[src*="/luci.js"]').forEach(function(s) {
569                                 if (env.base_url == null || env.base_url == '')
570                                         env.base_url = s.getAttribute('src').replace(/\/luci\.js(?:\?v=[^?]+)?$/, '');
571                         });
572
573                         if (env.base_url == null)
574                                 this.error('InternalError', 'Cannot find url of luci.js');
575
576                         Object.assign(this.env, env);
577
578                         document.addEventListener('poll-start', function(ev) {
579                                 document.querySelectorAll('[id^="xhr_poll_status"]').forEach(function(e) {
580                                         e.style.display = (e.id == 'xhr_poll_status_off') ? 'none' : '';
581                                 });
582                         });
583
584                         document.addEventListener('poll-stop', function(ev) {
585                                 document.querySelectorAll('[id^="xhr_poll_status"]').forEach(function(e) {
586                                         e.style.display = (e.id == 'xhr_poll_status_on') ? 'none' : '';
587                                 });
588                         });
589
590                         var domReady = new Promise(function(resolveFn, rejectFn) {
591                                 document.addEventListener('DOMContentLoaded', resolveFn);
592                         });
593
594                         Promise.all([
595                                 domReady,
596                                 this.require('ui'),
597                                 this.require('rpc'),
598                                 this.require('form'),
599                                 this.probeRPCBaseURL()
600                         ]).then(this.setupDOM.bind(this)).catch(this.error);
601
602                         originalCBIInit = window.cbi_init;
603                         window.cbi_init = function() {};
604                 },
605
606                 raise: function(type, fmt /*, ...*/) {
607                         var e = null,
608                             msg = fmt ? String.prototype.format.apply(fmt, this.varargs(arguments, 2)) : null,
609                             stack = null;
610
611                         if (type instanceof Error) {
612                                 e = type;
613                                 stack = (e.stack || '').split(/\n/);
614
615                                 if (msg)
616                                         e.message = msg + ': ' + e.message;
617                         }
618                         else {
619                                 e = new (window[type || 'Error'] || Error)(msg || 'Unspecified error');
620                                 e.name = type || 'Error';
621                         }
622
623                         if (window.console && console.debug)
624                                 console.debug(e);
625
626                         throw e;
627                 },
628
629                 error: function(type, fmt /*, ...*/) {
630                         try {
631                                 L.raise.apply(L, Array.prototype.slice.call(arguments));
632                         }
633                         catch (e) {
634                                 var stack = (e.stack || '').split(/\n/).map(function(frame) {
635                                         frame = frame.replace(/(.*?)@(.+):(\d+):(\d+)/g, 'at $1 ($2:$3:$4)').trim();
636                                         return frame ? '  ' + frame : '';
637                                 });
638
639                                 if (!/^  at /.test(stack[0]))
640                                         stack.shift();
641
642                                 if (/\braise /.test(stack[0]))
643                                         stack.shift();
644
645                                 if (/\berror /.test(stack[0]))
646                                         stack.shift();
647
648                                 stack = stack.length ? '\n' + stack.join('\n') : '';
649
650                                 if (L.ui)
651                                         L.ui.showModal(e.name || _('Runtime error'),
652                                                 E('pre', { 'class': 'alert-message error' }, e.message + stack));
653                                 else
654                                         L.dom.content(document.querySelector('#maincontent'),
655                                                 E('pre', { 'class': 'alert-message error' }, e + stack));
656
657                                 throw e;
658                         }
659                 },
660
661                 bind: function(fn, self /*, ... */) {
662                         return Function.prototype.bind.apply(fn, this.varargs(arguments, 2, self));
663                 },
664
665                 /* Class require */
666                 require: function(name, from) {
667                         var L = this, url = null, from = from || [];
668
669                         /* Class already loaded */
670                         if (classes[name] != null) {
671                                 /* Circular dependency */
672                                 if (from.indexOf(name) != -1)
673                                         L.raise('DependencyError',
674                                                 'Circular dependency: class "%s" depends on "%s"',
675                                                 name, from.join('" which depends on "'));
676
677                                 return classes[name];
678                         }
679
680                         url = '%s/%s.js'.format(L.env.base_url, name.replace(/\./g, '/'));
681                         from = [ name ].concat(from);
682
683                         var compileClass = function(res) {
684                                 if (!res.ok)
685                                         L.raise('NetworkError',
686                                                 'HTTP error %d while loading class file "%s"', res.status, url);
687
688                                 var source = res.text(),
689                                     requirematch = /^require[ \t]+(\S+)(?:[ \t]+as[ \t]+([a-zA-Z_]\S*))?$/,
690                                     strictmatch = /^use[ \t]+strict$/,
691                                     depends = [],
692                                     args = '';
693
694                                 /* find require statements in source */
695                                 for (var i = 0, off = -1, quote = -1, esc = false; i < source.length; i++) {
696                                         var chr = source.charCodeAt(i);
697
698                                         if (esc) {
699                                                 esc = false;
700                                         }
701                                         else if (chr == 92) {
702                                                 esc = true;
703                                         }
704                                         else if (chr == quote) {
705                                                 var s = source.substring(off, i),
706                                                     m = requirematch.exec(s);
707
708                                                 if (m) {
709                                                         var dep = m[1], as = m[2] || dep.replace(/[^a-zA-Z0-9_]/g, '_');
710                                                         depends.push(L.require(dep, from));
711                                                         args += ', ' + as;
712                                                 }
713                                                 else if (!strictmatch.exec(s)) {
714                                                         break;
715                                                 }
716
717                                                 off = -1;
718                                                 quote = -1;
719                                         }
720                                         else if (quote == -1 && (chr == 34 || chr == 39)) {
721                                                 off = i + 1;
722                                                 quote = chr;
723                                         }
724                                 }
725
726                                 /* load dependencies and instantiate class */
727                                 return Promise.all(depends).then(function(instances) {
728                                         var _factory, _class;
729
730                                         try {
731                                                 _factory = eval(
732                                                         '(function(window, document, L%s) { %s })\n\n//# sourceURL=%s\n'
733                                                                 .format(args, source, res.url));
734                                         }
735                                         catch (error) {
736                                                 L.raise('SyntaxError', '%s\n  in %s:%s',
737                                                         error.message, res.url, error.lineNumber || '?');
738                                         }
739
740                                         _factory.displayName = toCamelCase(name + 'ClassFactory');
741                                         _class = _factory.apply(_factory, [window, document, L].concat(instances));
742
743                                         if (!Class.isSubclass(_class))
744                                             L.error('TypeError', '"%s" factory yields invalid constructor', name);
745
746                                         if (_class.displayName == 'AnonymousClass')
747                                                 _class.displayName = toCamelCase(name + 'Class');
748
749                                         var ptr = Object.getPrototypeOf(L),
750                                             parts = name.split(/\./),
751                                             instance = new _class();
752
753                                         for (var i = 0; ptr && i < parts.length - 1; i++)
754                                                 ptr = ptr[parts[i]];
755
756                                         if (ptr)
757                                                 ptr[parts[i]] = instance;
758
759                                         classes[name] = instance;
760
761                                         return instance;
762                                 });
763                         };
764
765                         /* Request class file */
766                         classes[name] = Request.get(url, { cache: true }).then(compileClass);
767
768                         return classes[name];
769                 },
770
771                 /* DOM setup */
772                 probeRPCBaseURL: function() {
773                         if (rpcBaseURL == null) {
774                                 try {
775                                         rpcBaseURL = window.sessionStorage.getItem('rpcBaseURL');
776                                 }
777                                 catch (e) { }
778                         }
779
780                         if (rpcBaseURL == null) {
781                                 var rpcFallbackURL = this.url('admin/ubus');
782
783                                 rpcBaseURL = Request.get('/ubus/').then(function(res) {
784                                         return (rpcBaseURL = (res.status == 400) ? '/ubus/' : rpcFallbackURL);
785                                 }, function() {
786                                         return (rpcBaseURL = rpcFallbackURL);
787                                 }).then(function(url) {
788                                         try {
789                                                 window.sessionStorage.setItem('rpcBaseURL', url);
790                                         }
791                                         catch (e) { }
792
793                                         return url;
794                                 });
795                         }
796
797                         return Promise.resolve(rpcBaseURL);
798                 },
799
800                 setupDOM: function(res) {
801                         var domEv = res[0],
802                             uiClass = res[1],
803                             rpcClass = res[2],
804                             formClass = res[3],
805                             rpcBaseURL = res[4];
806
807                         rpcClass.setBaseURL(rpcBaseURL);
808
809                         Request.addInterceptor(function(res) {
810                                 if (res.status != 403 || res.headers.get('X-LuCI-Login-Required') != 'yes')
811                                         return;
812
813                                 Poll.stop();
814
815                                 L.ui.showModal(_('Session expired'), [
816                                         E('div', { class: 'alert-message warning' },
817                                                 _('A new login is required since the authentication session expired.')),
818                                         E('div', { class: 'right' },
819                                                 E('div', {
820                                                         class: 'btn primary',
821                                                         click: function() {
822                                                                 var loc = window.location;
823                                                                 window.location = loc.protocol + '//' + loc.host + loc.pathname + loc.search;
824                                                         }
825                                                 }, _('To login…')))
826                                 ]);
827
828                                 throw 'Session expired';
829                         });
830
831                         originalCBIInit();
832
833                         Poll.start();
834
835                         document.dispatchEvent(new CustomEvent('luci-loaded'));
836                 },
837
838                 env: {},
839
840                 /* URL construction helpers */
841                 path: function(prefix, parts) {
842                         var url = [ prefix || '' ];
843
844                         for (var i = 0; i < parts.length; i++)
845                                 if (/^(?:[a-zA-Z0-9_.%,;-]+\/)*[a-zA-Z0-9_.%,;-]+$/.test(parts[i]))
846                                         url.push('/', parts[i]);
847
848                         if (url.length === 1)
849                                 url.push('/');
850
851                         return url.join('');
852                 },
853
854                 url: function() {
855                         return this.path(this.env.scriptname, arguments);
856                 },
857
858                 resource: function() {
859                         return this.path(this.env.resource, arguments);
860                 },
861
862                 location: function() {
863                         return this.path(this.env.scriptname, this.env.requestpath);
864                 },
865
866
867                 /* Data helpers */
868                 isObject: function(val) {
869                         return (val != null && typeof(val) == 'object');
870                 },
871
872                 sortedKeys: function(obj, key, sortmode) {
873                         if (obj == null || typeof(obj) != 'object')
874                                 return [];
875
876                         return Object.keys(obj).map(function(e) {
877                                 var v = (key != null) ? obj[e][key] : e;
878
879                                 switch (sortmode) {
880                                 case 'addr':
881                                         v = (v != null) ? v.replace(/(?:^|[.:])([0-9a-fA-F]{1,4})/g,
882                                                 function(m0, m1) { return ('000' + m1.toLowerCase()).substr(-4) }) : null;
883                                         break;
884
885                                 case 'num':
886                                         v = (v != null) ? +v : null;
887                                         break;
888                                 }
889
890                                 return [ e, v ];
891                         }).filter(function(e) {
892                                 return (e[1] != null);
893                         }).sort(function(a, b) {
894                                 return (a[1] > b[1]);
895                         }).map(function(e) {
896                                 return e[0];
897                         });
898                 },
899
900                 toArray: function(val) {
901                         if (val == null)
902                                 return [];
903                         else if (Array.isArray(val))
904                                 return val;
905                         else if (typeof(val) == 'object')
906                                 return [ val ];
907
908                         var s = String(val).trim();
909
910                         if (s == '')
911                                 return [];
912
913                         return s.split(/\s+/);
914                 },
915
916
917                 /* HTTP resource fetching */
918                 get: function(url, args, cb) {
919                         return this.poll(null, url, args, cb, false);
920                 },
921
922                 post: function(url, args, cb) {
923                         return this.poll(null, url, args, cb, true);
924                 },
925
926                 poll: function(interval, url, args, cb, post) {
927                         if (interval !== null && interval <= 0)
928                                 interval = this.env.pollinterval;
929
930                         var data = post ? { token: this.env.token } : null,
931                             method = post ? 'POST' : 'GET';
932
933                         if (!/^(?:\/|\S+:\/\/)/.test(url))
934                                 url = this.url(url);
935
936                         if (args != null)
937                                 data = Object.assign(data || {}, args);
938
939                         if (interval !== null)
940                                 return Request.poll.add(interval, url, { method: method, query: data }, cb);
941                         else
942                                 return Request.request(url, { method: method, query: data })
943                                         .then(function(res) {
944                                                 var json = null;
945                                                 if (/^application\/json\b/.test(res.headers.get('Content-Type')))
946                                                         try { json = res.json() } catch(e) {}
947                                                 cb(res.xhr, json, res.duration);
948                                         });
949                 },
950
951                 stop: function(entry) { return Poll.remove(entry) },
952                 halt: function() { return Poll.stop() },
953                 run: function() { return Poll.start() },
954
955                 /* DOM manipulation */
956                 dom: Class.singleton({
957                         __name__: 'LuCI.DOM',
958
959                         elem: function(e) {
960                                 return (e != null && typeof(e) == 'object' && 'nodeType' in e);
961                         },
962
963                         parse: function(s) {
964                                 var elem;
965
966                                 try {
967                                         domParser = domParser || new DOMParser();
968                                         elem = domParser.parseFromString(s, 'text/html').body.firstChild;
969                                 }
970                                 catch(e) {}
971
972                                 if (!elem) {
973                                         try {
974                                                 dummyElem = dummyElem || document.createElement('div');
975                                                 dummyElem.innerHTML = s;
976                                                 elem = dummyElem.firstChild;
977                                         }
978                                         catch (e) {}
979                                 }
980
981                                 return elem || null;
982                         },
983
984                         matches: function(node, selector) {
985                                 var m = this.elem(node) ? node.matches || node.msMatchesSelector : null;
986                                 return m ? m.call(node, selector) : false;
987                         },
988
989                         parent: function(node, selector) {
990                                 if (this.elem(node) && node.closest)
991                                         return node.closest(selector);
992
993                                 while (this.elem(node))
994                                         if (this.matches(node, selector))
995                                                 return node;
996                                         else
997                                                 node = node.parentNode;
998
999                                 return null;
1000                         },
1001
1002                         append: function(node, children) {
1003                                 if (!this.elem(node))
1004                                         return null;
1005
1006                                 if (Array.isArray(children)) {
1007                                         for (var i = 0; i < children.length; i++)
1008                                                 if (this.elem(children[i]))
1009                                                         node.appendChild(children[i]);
1010                                                 else if (children !== null && children !== undefined)
1011                                                         node.appendChild(document.createTextNode('' + children[i]));
1012
1013                                         return node.lastChild;
1014                                 }
1015                                 else if (typeof(children) === 'function') {
1016                                         return this.append(node, children(node));
1017                                 }
1018                                 else if (this.elem(children)) {
1019                                         return node.appendChild(children);
1020                                 }
1021                                 else if (children !== null && children !== undefined) {
1022                                         node.innerHTML = '' + children;
1023                                         return node.lastChild;
1024                                 }
1025
1026                                 return null;
1027                         },
1028
1029                         content: function(node, children) {
1030                                 if (!this.elem(node))
1031                                         return null;
1032
1033                                 var dataNodes = node.querySelectorAll('[data-idref]');
1034
1035                                 for (var i = 0; i < dataNodes.length; i++)
1036                                         delete this.registry[dataNodes[i].getAttribute('data-idref')];
1037
1038                                 while (node.firstChild)
1039                                         node.removeChild(node.firstChild);
1040
1041                                 return this.append(node, children);
1042                         },
1043
1044                         attr: function(node, key, val) {
1045                                 if (!this.elem(node))
1046                                         return null;
1047
1048                                 var attr = null;
1049
1050                                 if (typeof(key) === 'object' && key !== null)
1051                                         attr = key;
1052                                 else if (typeof(key) === 'string')
1053                                         attr = {}, attr[key] = val;
1054
1055                                 for (key in attr) {
1056                                         if (!attr.hasOwnProperty(key) || attr[key] == null)
1057                                                 continue;
1058
1059                                         switch (typeof(attr[key])) {
1060                                         case 'function':
1061                                                 node.addEventListener(key, attr[key]);
1062                                                 break;
1063
1064                                         case 'object':
1065                                                 node.setAttribute(key, JSON.stringify(attr[key]));
1066                                                 break;
1067
1068                                         default:
1069                                                 node.setAttribute(key, attr[key]);
1070                                         }
1071                                 }
1072                         },
1073
1074                         create: function() {
1075                                 var html = arguments[0],
1076                                     attr = arguments[1],
1077                                     data = arguments[2],
1078                                     elem;
1079
1080                                 if (!(attr instanceof Object) || Array.isArray(attr))
1081                                         data = attr, attr = null;
1082
1083                                 if (Array.isArray(html)) {
1084                                         elem = document.createDocumentFragment();
1085                                         for (var i = 0; i < html.length; i++)
1086                                                 elem.appendChild(this.create(html[i]));
1087                                 }
1088                                 else if (this.elem(html)) {
1089                                         elem = html;
1090                                 }
1091                                 else if (html.charCodeAt(0) === 60) {
1092                                         elem = this.parse(html);
1093                                 }
1094                                 else {
1095                                         elem = document.createElement(html);
1096                                 }
1097
1098                                 if (!elem)
1099                                         return null;
1100
1101                                 this.attr(elem, attr);
1102                                 this.append(elem, data);
1103
1104                                 return elem;
1105                         },
1106
1107                         registry: {},
1108
1109                         data: function(node, key, val) {
1110                                 var id = node.getAttribute('data-idref');
1111
1112                                 /* clear all data */
1113                                 if (arguments.length > 1 && key == null) {
1114                                         if (id != null) {
1115                                                 node.removeAttribute('data-idref');
1116                                                 val = this.registry[id]
1117                                                 delete this.registry[id];
1118                                                 return val;
1119                                         }
1120
1121                                         return null;
1122                                 }
1123
1124                                 /* clear a key */
1125                                 else if (arguments.length > 2 && key != null && val == null) {
1126                                         if (id != null) {
1127                                                 val = this.registry[id][key];
1128                                                 delete this.registry[id][key];
1129                                                 return val;
1130                                         }
1131
1132                                         return null;
1133                                 }
1134
1135                                 /* set a key */
1136                                 else if (arguments.length > 2 && key != null && val != null) {
1137                                         if (id == null) {
1138                                                 do { id = Math.floor(Math.random() * 0xffffffff).toString(16) }
1139                                                 while (this.registry.hasOwnProperty(id));
1140
1141                                                 node.setAttribute('data-idref', id);
1142                                                 this.registry[id] = {};
1143                                         }
1144
1145                                         return (this.registry[id][key] = val);
1146                                 }
1147
1148                                 /* get all data */
1149                                 else if (arguments.length == 1) {
1150                                         if (id != null)
1151                                                 return this.registry[id];
1152
1153                                         return null;
1154                                 }
1155
1156                                 /* get a key */
1157                                 else if (arguments.length == 2) {
1158                                         if (id != null)
1159                                                 return this.registry[id][key];
1160                                 }
1161
1162                                 return null;
1163                         },
1164
1165                         bindClassInstance: function(node, inst) {
1166                                 if (!(inst instanceof Class))
1167                                         L.error('TypeError', 'Argument must be a class instance');
1168
1169                                 return this.data(node, '_class', inst);
1170                         },
1171
1172                         findClassInstance: function(node) {
1173                                 var inst = null;
1174
1175                                 do {
1176                                         inst = this.data(node, '_class');
1177                                         node = node.parentNode;
1178                                 }
1179                                 while (!(inst instanceof Class) && node != null);
1180
1181                                 return inst;
1182                         },
1183
1184                         callClassMethod: function(node, method /*, ... */) {
1185                                 var inst = this.findClassInstance(node);
1186
1187                                 if (inst == null || typeof(inst[method]) != 'function')
1188                                         return null;
1189
1190                                 return inst[method].apply(inst, inst.varargs(arguments, 2));
1191                         },
1192
1193                         isEmpty: function(node) {
1194                                 for (var child = node.firstElementChild; child != null; child = child.nextElementSibling)
1195                                         if (!child.classList.contains('hidden'))
1196                                                 return false;
1197
1198                                 return true;
1199                         }
1200                 }),
1201
1202                 Poll: Poll,
1203                 Class: Class,
1204                 Request: Request,
1205
1206                 view: Class.extend({
1207                         __name__: 'LuCI.View',
1208
1209                         __init__: function() {
1210                                 var vp = document.getElementById('view');
1211
1212                                 L.dom.content(vp, E('div', { 'class': 'spinning' }, _('Loading view…')));
1213
1214                                 return Promise.resolve(this.load())
1215                                         .then(L.bind(this.render, this))
1216                                         .then(L.bind(function(nodes) {
1217                                                 var vp = document.getElementById('view');
1218
1219                                                 L.dom.content(vp, nodes);
1220                                                 L.dom.append(vp, this.addFooter());
1221                                         }, this)).catch(L.error);
1222                         },
1223
1224                         load: function() {},
1225                         render: function() {},
1226
1227                         handleSave: function(ev) {
1228                                 var tasks = [];
1229
1230                                 document.getElementById('maincontent')
1231                                         .querySelectorAll('.cbi-map').forEach(function(map) {
1232                                                 tasks.push(L.dom.callClassMethod(map, 'save'));
1233                                         });
1234
1235                                 return Promise.all(tasks);
1236                         },
1237
1238                         handleSaveApply: function(ev) {
1239                                 return this.handleSave(ev).then(function() {
1240                                         L.ui.changes.apply(true);
1241                                 });
1242                         },
1243
1244                         handleReset: function(ev) {
1245                                 var tasks = [];
1246
1247                                 document.getElementById('maincontent')
1248                                         .querySelectorAll('.cbi-map').forEach(function(map) {
1249                                                 tasks.push(L.dom.callClassMethod(map, 'reset'));
1250                                         });
1251
1252                                 return Promise.all(tasks);
1253                         },
1254
1255                         addFooter: function() {
1256                                 var footer = E([]),
1257                                     mc = document.getElementById('maincontent');
1258
1259                                 if (mc.querySelector('.cbi-map')) {
1260                                         footer.appendChild(E('div', { 'class': 'cbi-page-actions' }, [
1261                                                 E('input', {
1262                                                         'class': 'cbi-button cbi-button-apply',
1263                                                         'type': 'button',
1264                                                         'value': _('Save & Apply'),
1265                                                         'click': L.bind(this.handleSaveApply, this)
1266                                                 }), ' ',
1267                                                 E('input', {
1268                                                         'class': 'cbi-button cbi-button-save',
1269                                                         'type': 'submit',
1270                                                         'value': _('Save'),
1271                                                         'click': L.bind(this.handleSave, this)
1272                                                 }), ' ',
1273                                                 E('input', {
1274                                                         'class': 'cbi-button cbi-button-reset',
1275                                                         'type': 'button',
1276                                                         'value': _('Reset'),
1277                                                         'click': L.bind(this.handleReset, this)
1278                                                 })
1279                                         ]));
1280                                 }
1281
1282                                 return footer;
1283                         }
1284                 })
1285         });
1286
1287         var XHR = Class.extend({
1288                 __name__: 'LuCI.XHR',
1289                 __init__: function() {
1290                         if (window.console && console.debug)
1291                                 console.debug('Direct use XHR() is deprecated, please use L.Request instead');
1292                 },
1293
1294                 _response: function(cb, res, json, duration) {
1295                         if (this.active)
1296                                 cb(res, json, duration);
1297                         delete this.active;
1298                 },
1299
1300                 get: function(url, data, callback, timeout) {
1301                         this.active = true;
1302                         L.get(url, data, this._response.bind(this, callback), timeout);
1303                 },
1304
1305                 post: function(url, data, callback, timeout) {
1306                         this.active = true;
1307                         L.post(url, data, this._response.bind(this, callback), timeout);
1308                 },
1309
1310                 cancel: function() { delete this.active },
1311                 busy: function() { return (this.active === true) },
1312                 abort: function() {},
1313                 send_form: function() { L.error('InternalError', 'Not implemented') },
1314         });
1315
1316         XHR.get = function() { return window.L.get.apply(window.L, arguments) };
1317         XHR.post = function() { return window.L.post.apply(window.L, arguments) };
1318         XHR.poll = function() { return window.L.poll.apply(window.L, arguments) };
1319         XHR.stop = Request.poll.remove.bind(Request.poll);
1320         XHR.halt = Request.poll.stop.bind(Request.poll);
1321         XHR.run = Request.poll.start.bind(Request.poll);
1322         XHR.running = Request.poll.active.bind(Request.poll);
1323
1324         window.XHR = XHR;
1325         window.LuCI = LuCI;
1326 })(window, document);