-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathwd4.js
4902 lines (4499 loc) · 180 KB
/
wd4.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
/*------------------------------------------------------------------------------
MIT License
Copyright (c) 2023 Willian Donadelli <wdonadelli@gmail.com>
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
https://github.com/wdonadelli/wd
------------------------------------------------------------------------------*/
"use strict";
const wd = (function() {
/*------------------------------------------------------------------------------
| BLOCO 1: atributos e funções globais
| BLOCO 2: objetos especiais para atividades específicas
| BLOCO 3: objetos de interface (acessíveis aos usuários)
| BLOCO 4: funções de atributos HTML
| BLOCO 5: boot
\-----------------------------------------------------------------------------*/
/* == BLOCO 1 ================================================================*/
/*----------------------------------------------------------------------------*/
/* guada a versão da biblioteca (JS + CSS) */
const wd_version = "WD JS v4.2.2";
/* Guarda informação do dispositivo (desktop, mobile...) */
let wd_device_controller = null;
/* Guarda o intervalo de tempo para executar funções vinculadas aos eventos de tecla */
const wd_key_time_range = 500;
/* Controla a contagem de procedimentos */
const wd_counter_control = {
repeat: 0, /* repetições em processamento */
load: 0 /* carregamentos em processamento */
};
/* Controla a janela modal */
const wd_modal_control = {
modal: null, /* HTML da janela modal */
bar: null, /* HTML da barra de progresso */
counter: 0, /* contador de operações em aberto */
delay: 250, /* tempo de espera até fechar a janela modal (evitar piscadas) */
time: 5, /* tempo para interagir com o documento */
_init: function() { /* método para efetuar a montagem do modal e barra de progress */
/* janela modal */
this.modal = document.createElement("DIV");
this.modal.className = "js-wd-modal";
/* barra de progresso */
if ("HTMLMeterElement" in window)
this.bar = document.createElement("METER");
else if ("HTMLProgressElement" in window)
this.bar = document.createElement("PROGRESS");
else
this.bar = document.createElement("DIV");
this.bar.className = "js-wd-progress-bar";
/* unindo os dois */
this.modal.appendChild(this.bar);
return;
},
start: function() { /* abre a janela modal */
if (this.modal === null) this._init();
if (this.counter === 0)
document.body.appendChild(this.modal);
this.counter++;
return this.counter;
},
end: function() {/* fecha a janela modal */
let object = this;
/* checar fechamento da janela após delay */
window.setTimeout(function () {
object.counter--;
if (object.counter < 1)
document.body.removeChild(object.modal);
}, this.delay);
return this.counter;
},
progress: function(x) { /* define o valor da barra de progresso */
let tag = this.bar.tagName.toLowerCase();
let value = tag === "div" ? wd_num_str(x, true) : x;
let object = this;
/* executar progresso após o tempo de interação com o documento */
window.setTimeout(function() {
if (tag === "div") /* sem progress ou meter (usa CSS width) */
object.bar.style.width = value;
else /* com progress ou meter */
object.bar.value = value;
}, this.time);
return;
}
};
/* controla a caixa de mensagens */
const wd_signal_control = {
main: null, /* elemento agrupador das mensagens */
time: 9000, /* tempo para fechamento automático da mensagem (igual ao CSS js-wd-signal-msg) */
_init: function() { /* efetua a montagem da caixa de mensagem */
this.main = document.createElement("DIV");
this.main.className = "js-wd-signal";
return;
},
_createBox: function() { /* retorna um objeto com os elementos da mensagem */
return {
box: document.createElement("ARTICLE"),
header: document.createElement("HEADER"),
message: document.createElement("SECTION"),
close: document.createElement("SPAN"),
title: document.createElement("STRONG")
};
},
_close: function(elem) { /* função para fechar caixa especificada no argumento */
try {this.main.removeChild(elem);} catch(e){}
if (this.main.children.length === 0)
try {document.body.removeChild(this.main);} catch(e){}
return;
},
_box: function() { /* monta e retorna a caixa de mensagem */
let msg = this._createBox();
msg.box.appendChild(msg.header);
msg.box.appendChild(msg.message);
msg.header.appendChild(msg.close);
msg.header.appendChild(msg.title);
msg.box.className = "js-wd-signal-msg";
msg.close.textContent = "\u00D7";
let object = this;
msg.close.onclick = function() { /* disparador para quando clicar no botão fechar */
object._close(msg.box);
}
return msg;
},
open: function(message, title) { /* abre uma mensagem */
/* criação do container principal, se inexistente */
if (this.main === null) this._init();
/* obtenção da caixa de mensagem */
let msg = this._box();
/* definição do título e da mensagem */
msg.message.textContent = message;
msg.title.textContent = title === undefined ? " " : title;
/* exibindo caixa principal, se escondida */
if (this.main.children.length === 0)
document.body.appendChild(this.main);
/* renderizando mensagem */
this.main.insertAdjacentElement("afterbegin", msg.box);
/* definindo um prazo para fechamento automático da caixa */
let object = this;
window.setTimeout(function() {
object._close(msg.box)
}, this.time);
return;
}
}
/* Guarda os estilos da biblioteca Selector Database */
const wd_js_css = [
{s: "@keyframes js-wd-fade-in", d: ["from {opacity: 0;} to {opacity: 1;}"]},
{s: "@keyframes js-wd-fade-out", d: ["from {opacity: 1;} to {opacity: 0;}"]},
{s: "@keyframes js-wd-shrink-out", d: ["from {transform: scale(0);} to {transform: scale(1);}"]},
{s: "@keyframes js-wd-shrink-in", d: ["from {transform: scale(1);} to {transform: scale(0);}"]},
{s: ".js-wd-modal", d: [
"display: block; width: 100%; height: 100%;",
"padding: 0.1em 0.5em; margin: 0; z-index: 999999;",
"position: fixed; top: 0; right: 0; bottom: 0; left: 0;",
"cursor: progress; background-color: rgba(0,0,0,0.4);",
"animation: js-wd-fade-in 0.1s;"
]},
{s: ".js-wd-progress-bar", d: [
"display: block; position: absolute; top: 0; left: 0; right: 0; margin: auto; width: 100%;"
]},
{s: "div.js-wd-progress-bar", d: ["height: 1em; background-color: #1e90ff;"]},
{s: ".js-wd-no-display", d: ["display: none;"]},
{s: "[data-wd-nav], [data-wd-send], [data-wd-tsort], [data-wd-data], [data-wd-full], [data-wd-jump]", d: [
"cursor: pointer;"
]},
{s: "[data-wd-set], [data-wd-edit], [data-wd-shared], [data-wd-css], [data-wd-table]", d:[
"cursor: pointer;"
]},
{s: "[data-wd-tsort]:before", d: ["content: \"\\2195 \";"]},
{s: "[data-wd-tsort=\"-1\"]:before", d: ["content: \"\\2191 \";"]},
{s: "[data-wd-tsort=\"+1\"]:before", d: ["content: \"\\2193 \";"]},
{s: "[data-wd-repeat] > *, [data-wd-load] > *", d: [
"visibility: hidden;"
]},
{s: "[data-wd-slide] > * ", d: ["animation: js-wd-fade-in 1s, js-wd-shrink-out 0.5s;"]},
{s: "nav > *.js-wd-nav-inactive", d: ["opacity: 0.5;"]},
{s: ".js-wd-plot", d: [
"height: 100%; width: 100%; position: absolute; top: 0; left: 0; bottom: 0; right: 0;"
]},
{s: ".js-wd-signal", d: [
"position: fixed; top: 0; right: 0.5em; left: 0.5em; width: auto;",
"margin: auto; padding: 0; z-index: 999999;"
]},
{s: "@media screen and (min-width: 768px)", d: [".js-wd-signal {width: 40%;}",]},
{s: ".js-wd-signal-msg", d: [
"animation-name: js-wd-shrink-out, js-wd-shrink-in;",
"animation-duration: 0.5s, 0.5s; animation-delay: 0s, 8.5s;",
"margin: 5px 0; position: relative; padding: 0; border-radius: 0.2em;",
"border: 1px solid rgba(0,0,0,0.6); box-shadow: 1px 1px 6px rgba(0,0,0,0.6);",
"background-color: rgb(245,245,245); color: rgb(20,20,20);"
]},
{s: ".js-wd-signal-msg > header", d: [
"padding: 0.5em; border-radius: 0.2em 0.2em 0 0; position: relative;"
]},
{s: ".js-wd-signal-msg > header > span", d: [
"position: absolute; top: 0.5em; right: 0.5em; line-height: 1; cursor: pointer;"
]},
{s: ".js-wd-signal-msg > section", d: [
"padding: 0.5em; border-radius: 0 0 0.2em 0.2em;"
]},
];
/*----------------------------------------------------------------------------*/
function wd_lang(elem) { /* Retorna a linguagem definida (lang) a partir de um elemento (efeito bolha) ou do navegador*/
let node = wd_vtype(elem).type === "dom" ? elem : document.body;
while (node !== null && node !== undefined) {
if ("lang" in node.attributes) {
let value = node.attributes.lang.value.trim();
if (value !== "") return value;
}
node = node.parentElement;
}
return navigator.language || navigator.browserLanguage || "en-US";
}
/*----------------------------------------------------------------------------*/
function wd_get_device() {/*tipo do dispositivo*/
if (window.innerWidth >= 768) return "desktop";
if (window.innerWidth >= 600) return "tablet";
return "phone";
};
/*----------------------------------------------------------------------------*/
function wd_bytes(value) { /*calculadora de bytes*/
if (value === Infinity) return wd_num_str(value)+"B";
value = value < 1 ? 0 : wd_integer(value, true);
let scale = ["B", "kB", "MB", "GB", "TB", "PB", "EB", "ZB", "YB"];
for (let i = scale.length - 1; i >= 0; i--)
if (value >= Math.pow(1024,i))
return (value/Math.pow(1024,i)).toFixed(2)+scale[i];
return "0B";
}
/*----------------------------------------------------------------------------*/
function wd_is_leap(y) { /*Retorna verdadeiro se o ano (y) for bissexto*/
if (y === 0) return false;
if (y % 400 === 0) return true;
if (y % 100 === 0) return false;
if (y % 4 === 0) return true;
return false;
}
/*----------------------------------------------------------------------------*/
function wd_set_date(date, d, m, y) { /*Define data de referência */
if (date === null || date === undefined) date = new Date();
date.setMilliseconds(0);
date.setSeconds(0);
date.setMinutes(0);
date.setHours(12);
if (y !== null && y !== undefined) date.setFullYear(y);
if (m !== null && m !== undefined) date.setMonth(m - 1);
if (d !== null && d !== undefined) date.setDate(d);
return date;
}
/*----------------------------------------------------------------------------*/
function wd_time_number(h, m, s) { /*Converte tempo em número*/
let time = 0;
time += h * 3600;
time += m * 60;
time += s === undefined ? 0 : s;
return time % 86400;
}
/*----------------------------------------------------------------------------*/
function wd_number_time(n) { /*Converte número em tempo (objeto{h,m,s})*/
let time = {};
n = n < 0 ? (86400 + (n % 86400)) : (n % 86400);
time.h = (n - (n % 3600)) / 3600;
n = n - (3600 * time.h);
time.m = (n - (n % 60)) / 60;
time.s = n - (60 * time.m);
return time;
}
/*----------------------------------------------------------------------------*/
function wd_str_time(val) { /* obtém tempo a partir de uma string */
let data = [
{re: /^(0?[1-9]|1[0-2])\:[0-5][0-9]\ ?(am|pm)$/i, sym: "ampm"},
{re: /^(0?[0-9]|1[0-9]|2[0-4])(\:[0-5][0-9]){1,2}$/, sym: "time"},
];
let index = -1;
for (let i = 0; i < data.length; i++) {
if (data[i].re.test(val)) index = i;
if (index >= 0) break;
}
if (index < 0) return null;
let values = val.replace(/[^0-9\:]/g, "").split(":");
for (let i = 0; i < values.length; i++)
values[i] = new Number(values[i]).valueOf();
if ((/am$/i).test(val) && values[0] === 12) values[0] = 0;
if ((/pm$/i).test(val) && values[0] < 12) values[0] = values[0] + 12;
return wd_time_number(values[0], values[1], values[2]);
}
/*----------------------------------------------------------------------------*/
function wd_str_now() { /* retorna o tempo atual em string */
let t = new Date();
let o = {h: t.getHours(), m: t.getMinutes(), s: t.getSeconds()};
for (let i in o) o[i] = (o[i] < 10 ? "0" : "") + o[i].toString();
return o.h+":"+o.m+":"+o.s;
}
/*----------------------------------------------------------------------------*/
function wd_str_date(val) { /* obtém data em formato string */
let data = [
{re: /^[0-9]{4}\-[0-9]{2}\-[0-9]{2}$/, sym: "-", y: 0, m: 1, d: 2},
{re: /^[0-9]{2}\/[0-9]{2}\/[0-9]{4}$/, sym: "/", y: 2, m: 1, d: 0},
{re: /^[0-9]{2}\.[0-9]{2}\.[0-9]{4}$/, sym: ".", y: 2, m: 0, d: 1},
];
let index = -1;
for (let i = 0; i < data.length; i++) {
if (data[i].re.test(val)) index = i;
if (index >= 0) break;
}
if (index < 0) return null;
let date = val.split(data[index].sym);
let d = Number(date[data[index].d]);
let m = Number(date[data[index].m]);
let y = Number(date[data[index].y]);
if (y > 9999 || y < 1 || m > 12 || m < 1 || d > 31 || d < 1) return null;
if (d > 30 && [2, 4, 6, 9, 11].indexOf(m) >= 0) return null;
if (m === 2 && (d > 29 || (d === 29 && !wd_is_leap(y)))) return null;
return wd_set_date(null, d, m, y);
}
/*----------------------------------------------------------------------------*/
function wd_str_number(val) { /* obtem números em formato de string */
let data = [
{re: /^[0-9]+\!$/, sym: "!"},
{re: /^[\+\-]?([0-9]+|([0-9]+)?\.[0-9]+)(e[\-\+]?[0-9]+)?\%$/i, sym: "%"},
{re: /^[\-\+]?([0-9]+|([0-9]+)?\.[0-9]+)(e[\-\+]?[0-9]+)?$/i, sym: null},
];
let index = -1;
for (let i = 0; i < data.length; i++) {
if (data[i].re.test(val)) index = i;
if (index >= 0) break;
}
if (index < 0) return null;
if (data[index].sym === "%")
return new Number(val.replace("%", "")).valueOf() / 100;
if (data[index].sym === "!") {
let number = new Number(val.replace("!", "")).valueOf();
let value = 1;
while (number > 1) {
value *= number;
number--;
}
return value;
}
return new Number(val).valueOf();
}
/*----------------------------------------------------------------------------*/
function wd_dom(val) { /* verifica e obtem DOM */
if (val === document || val === window) return [val];
let data = {
HTMLElement: "dom",
SVGElement: "dom",
NodeList: "doms",
HTMLCollection: "doms",
HTMLAllCollection: "doms",
HTMLOptionsCollection: "doms",
HTMLFormControlsCollection: "doms",
MathMLElement: "dom"
};
for (let i in data) {
if (i in window && val instanceof window[i]) {
if (data[i] === "dom") return [val];
let array = [];
for (let n = 0; n < val.length; n++) array.push(val[n]);
return array;
}
}
return null;
}
/*----------------------------------------------------------------------------*/
function wd_vtype(val) {/* retorna o tipo e o valor do objeto */
let value;
/* Valores simples */
if (val === undefined) return {type: "undefined", value: val};
if (val === null) return {type: "null", value: val};
if (val === true || val === false) return {type: "boolean", value: val};
/* Valores em forma de string */
if (typeof val === "string" || val instanceof String) {
/* nulo/vazio */
val = val.trim();
if (val === "") return {type: "null", value: null};
/* tempo, data e número */
let mtds = {
"date": wd_str_date, "time": wd_str_time, "number": wd_str_number
};
for (let t in mtds) {
value = mtds[t](val);
if (value !== null) return {value: value, type: t}
}
/* padrão: texto */
return {type: "text", value: val.toString()};
}
/* Elementos da árvore DOM */
value = wd_dom(val);
if (value !== null)
return {value: value, type: "dom"};
/* Outros Elementos */
/* BigInt */
if (typeof val === "bigint" || ("BigInt" in window && val instanceof BigInt))
return {type: "unknown", value: val.valueOf()};
/* Number e NaN */
if (typeof val === "number" || ("Number" in window && val instanceof Number))
return isNaN(val) ? {type: "unknown", value: val} : {type: "number", value: val.valueOf()};
/* array */
if ("Array" in window && (("isArray" in Array && Array.isArray(val)) || val instanceof Array))
return {type: "array", value: val.slice()};
/* data */
if ("Date" in window && val instanceof Date)
return {type: "date", value: wd_set_date(val)};
/* regexp */
if ("RegExp" in window && val instanceof RegExp)
return {type: "regexp", value: val.valueOf()};
/* boolean */
if (typeof val === "boolean" || ("Boolean" in window && val instanceof Boolean))
return {type: "boolean", value: val.valueOf()};
/* function */
if (typeof val === "function" || ("Function" in window && val instanceof Function))
return {type: "function", value: val};
/* object */
if (typeof val === "object" && (/^\{.*\}$/).test(JSON.stringify(val)))
return {type: "object", value: val};
/* desconhecido: não se encaixa nos anteriores */
return {type: "unknown", value: val};
}
/*----------------------------------------------------------------------------*/
function wd_$(selector, root) {/* retorna querySelector */
let elem = null;
try {elem = root.querySelector(selector); } catch(e) {}
if (elem !== null) return elem;
try {elem = document.querySelector(selector);} catch(e) {}
return elem;
}
/*----------------------------------------------------------------------------*/
function wd_$$(selector, root) {/* retorna querySelectorAll */
let elem = null;
try {elem = root.querySelectorAll(selector); } catch(e) {}
if (elem !== null) return elem;
try {elem = document.querySelectorAll(selector);} catch(e) {}
return elem;
}
/*----------------------------------------------------------------------------*/
function wd_$$$(obj, root) { /* captura os valores de $ e $$ dentro de um objeto ($$ prioridade) */
let one = "$" in obj ? obj["$"].trim() : null;
let all = "$$" in obj ? obj["$$"].trim() : null;
if (one === null && all === null) return null;
let words = {"document": document, "window": window};
if (one in words) return words[one];
if (all in words) return words[all];
one = one === null ? null : wd_$(one, root);
all = all === null ? null : wd_$$(all, root);
return all !== null ? all : one;
}
/*----------------------------------------------------------------------------*/
function wd_copy(value) { /* copia o conteúdo da variável para a área de transferência */
/* copiar o que está selecionado */
if (value === undefined && "execCommand" in document) {
document.execCommand("copy");
return true;
}
/* copiar DOM: elemento ou tudo */
let data = wd_vtype(value);
if (data.type === "dom" && "execCommand" in document) {
let element = data.value.length > 0 ? data.value[0] : document.body;
let range = document.createRange();
let select = window.getSelection();
select.removeAllRanges(); /* limpar seleção existente */
range.selectNodeContents(element); /* pegar os nós do elemento */
select.addRange(range); /* seleciona os nós do elemento */
document.execCommand("copy"); /* copia o texto selecionado */
select.removeAllRanges(); /* limpar seleção novamente */
return true;
}
/* array e object: JSON */
if (data.type === "array" || data.type === "object")
value = wd_json(value);
/* copiar valor informado */
if ("clipboard" in navigator && "writeText" in navigator.clipboard) {
navigator.clipboard.writeText(value === null ? "" : value).then(
function () {/*sucesso*/},
function () {/*erro*/}
);
return true;
}
return false;
}
/*----------------------------------------------------------------------------*/
function wd_text_caps(input) { /* captaliza string */
input = input.split("");
let empty = true;
for (let i = 0; i < input.length; i++) {
input[i] = empty ? input[i].toUpperCase() : input[i].toLowerCase();
empty = input[i].trim() === "" ? true : false;
}
return input.join("");
}
/*----------------------------------------------------------------------------*/
function wd_text_toggle(input) { /* altera caixa de string */
input = input.split("");
for (let i = 0; i < input.length; i++) {
let test = input[i].toUpperCase();
input[i] = input[i] === test ? input[i].toLowerCase() : test;
}
return input.join("");
}
/*----------------------------------------------------------------------------*/
function wd_mask(input, check, callback) { /* aplica máscaras a strings */
check = String(check).toString();
let code = {"#": "[0-9]", "@": "[a-zA-ZÀ-ÿ]", "*": "."};
let mask = ["^"]; /*Formato da máscara (conteúdo + caracteres)*/
let only = ["^"]; /*Conteúdo da máscara (conteúdo apenas)*/
let gaps = []; /*Caracteres da máscara (comprimento do formato)*/
let func = wd_vtype(callback);
if (func.type !== "function") callback = function(x) {return true;}
/* obtendo a máscara e os containers para ocupação */
for (let i = 0; i < input.length; i++) {
let char = input[i];
if (char in code) { /*caracteres de máscara*/
mask.push(code[char]);
gaps.push(null);
only.push(code[char])
} else if ((/\w/).test(char)) { /*números, letras e underline*/
mask.push(char === "_" ? "\\_" : char);
gaps.push(char);
} else if (char === "\\" && input[i+1] in code) { /*caracteres especiais*/
mask.push(char+input[i+1]);
gaps.push(input[i+1]);
i++;
} else { /*outros caracteres*/
mask.push("\\"+char);
gaps.push(char);
}
}
/* retorna se o usuário entrou com a máscara já formatada adequadamente*/
mask.push("$");
mask = new RegExp(mask.join(""));
if (mask.test(check) && callback(check)) return check;
/*se os caracteres não estiverem de acordo com a máscara*/
only.push("$");
only = new RegExp(only.join(""));
if (!only.test(check)) return null;
/*se os caracteres estiverem de acordo com a máscara*/
let n = 0;
for (let i = 0; i < gaps.length; i++) {
if (gaps[i] === null) {
gaps[i] = check[n];
n++;
}
}
gaps = gaps.join("");
if (callback(gaps)) return gaps;
return null;
}
/*----------------------------------------------------------------------------*/
function wd_multiple_masks(input, check, callback) { /* aplica múltiplas máscaras com separador ? */
let masks = input.split("?");
for (let i = 0; i < masks.length; i++) {
let mask = wd_mask(masks[i], check, callback);
if (mask !== null) return mask;
}
return null;
}
/*----------------------------------------------------------------------------*/
function wd_csv_array(input) {/* CSV para Array */
let data = [];
let rows = input.trim().split("\n");
for (let r = 0; r < rows.length; r++) {
data.push([]);
let cols = rows[r].split("\t")
for (let c = 0; c < cols.length; c++) {
let value = cols[c];
if ((/^\"(.+)?\"$/).test(value)) /* limpar aspas desnecessárias */
value = value.replace(/^\"/, "").replace(/\"$/, "");
data[r].push(value);
}
}
return data;
}
/*----------------------------------------------------------------------------*/
function wd_json(input) { /* se texto, retornar um objeto, se outra coisa, retorna um JSON */
if (input === null || input === undefined) return {};
if (wd_vtype(input).type === "text") {
try {return JSON.parse(input.toString());}
catch(e) {return {};}
}
try {return JSON.stringify(input)}
catch(e) {return ""}
}
/*----------------------------------------------------------------------------*/
function wd_no_spaces(txt, char) { /* Troca múltiplos espaço por um caracter*/
return txt.replace(/\s+/g, (char === undefined ? " " : char)).trim();
};
/*----------------------------------------------------------------------------*/
function wd_text_clear(value) { /* elimina acentos */
value = new String(value);
if ("normalize" in value)
return value.normalize('NFD').replace(/[\u0300-\u036f]/g, "");
let ascii = {
A: /[À-Å]/g, C: /[Ç]/g, E: /[È-Ë]/g, I: /[Ì-Ï]/g,
N: /[Ñ]/g, O: /[Ò-Ö]/g, U: /[Ù-Ü]/g, Y: /[ÝŸ]/g,
a: /[à-å]/g, c: /[ç]/g, e: /[è-ë]/g, i: /[ì-ï]/g,
n: /[ñ]/g, o: /[ò-ö]/g, u: /[ù-ü]/g, y: /[ýÿ]/g
};
for (let i in ascii)
value = value.replace(ascii[i], i);
return value;
}
/*----------------------------------------------------------------------------*/
function wd_text_camel(value) { /* abc-def para abcDef */
let x = wd_text_clear(value);
x = wd_no_spaces(x, " ").replace(/[^a-zA-Z0-9._: -]/g, "");
/* testando se já está no formato */
if ((/^[a-z0-9\.\_\:][a-zA-Z0-9\.\_\:]+$/).test(x)) return x;
/* adequando string */
x = wd_no_spaces(value, "-").split("");
for (let i = 0; i < x.length; i++) {
if (x[i].toLowerCase() != x[i]) x[i] = "-"+x[i];
if (x[i-1] === "-") x[i] = x[i].toUpperCase();
}
x = x.join("").replace(/\-+/g, "-").replace(/^\-+/g, "");
x = x.split("-");
x[0] = x[0].toLowerCase();
x = x.join("").replace(/\-/g, "");
return x === "" ? null : x;
}
/*----------------------------------------------------------------------------*/
function wd_text_dash(value) { /*abcDef para abc-def*/
let x = wd_text_clear(value);
x = wd_no_spaces(x, " ").replace(/[^a-zA-Z0-9._: -]/g, "");
/* testando se já está no formato */
if ((/^[a-z0-9\_\.\:]+((\-[a-z0-9\_\.\:]+)+)?$/).test(x)) return x;
/* adequando string */
x = wd_no_spaces(x, "-").split("");
for (let i = 1; i < x.length; i++)
x[i] = x[i].toLowerCase() == x[i] ? x[i] : "-"+x[i];
x = x.join("").toLowerCase().replace(/\-+/g, "-");
x = x.replace(/^\-+/g, "").replace(/\-+$/g, "");
return x === "" ? null : x;
}
/*----------------------------------------------------------------------------*/
function wd_replace_all(input, search, change) { /* replaceAll simples */
search = new String(search);
change = new String(change);
let x = input.split(search);
return x.join(change);
}
/*----------------------------------------------------------------------------*/
function wd_apply_getters(obj, args) { /* auto-aplica getter em objeto */
let type = obj.type; /* tipo do objeto original */
let value = null; /* valor a ser retornado */
let object = obj;
for (let i = 0; i < args.length; i++) {
/* continuar se o atributo não existir */
if (!(args[i] in object)) continue;
let vtype = wd_vtype(object[args[i]]);
/* continuar se o valor for diferente do tipo original */
if (vtype.type !== type) continue;
object = new object.constructor(vtype);
value = vtype.value;
}
return value;
}
/*----------------------------------------------------------------------------*/
function wd_finite(n) {/* verifica se é um valor finito */
let vtype = wd_vtype(n);
if (vtype.type !== "number") return false;
return isFinite(vtype.value);
};
/*----------------------------------------------------------------------------*/
function wd_integer(n, abs) { /* retorna o inteiro do número ou seu valor absoluto */
let vtype = wd_vtype(n);
if (vtype.type !== "number") return null;
let val = abs === true ? Math.abs(vtype.value) : vtype.value;
return val < 0 ? Math.ceil(val) : Math.floor(val);
};
/*----------------------------------------------------------------------------*/
function wd_decimal(value) {/* retorna o número de casas decimais */
if (!wd_finite(value)) return 0;
let i = 0;
while ((value * Math.pow(10, i)) % 1 !== 0) i++;
let pow10 = Math.pow(10, i);
if (pow10 === 1) return 0;
return (value*pow10 - wd_integer(value)*pow10) / pow10;
}
/*----------------------------------------------------------------------------*/
function wd_primes(limit, decimal) {/* retorna os números primos até um limite */
let primes = [2];
let count = 3;
let pow10 = 10;
while (count <= limit) {
let check = true;
for (let i = 1; i < primes.length; i++) { /* iniciar em 1 (os pares não serão verificados) */
if (count % primes[i] === 0) {
check = false;
break;
}
}
/* incluir os múltiplos de 10 antes */
if (decimal === true && (count - 1) === pow10) {
primes.push(pow10);
pow10 = pow10*10;
}
/* se primo, incluir na lista */
if (check) primes.push(count);
/* ir para o próximo contador (analisar apenas ímpares) */
count += 2;
}
return primes
}
/*----------------------------------------------------------------------------*/
function wd_mdc(a, b) {
let div = [];
let prime = wd_primes(a < b ? a : b);
for (let i = 0; i < prime.length; i++) {
if (prime[i] > a || prime[i] > b) break;
while (a % prime[i] === 0 && b % prime[i] === 0) {
div.push(prime[i]);
a = a/prime[i];
b = b/prime[i];
}
}
let mdc = 1;
for (let i = 0; i < div.length; i++) mdc = mdc * div[i];
return mdc;
}
/*----------------------------------------------------------------------------*/
function wd_num_type(n) { /* retorna o tipo de número */
let types = ["zero", "+infinity", "-infinity", "+integer", "-integer", "+float", "-float"];
for (let i = 0; i < types.length; i++)
if (wd_test(n, [types[i]]))
return types[i];
return "number";
}
/*----------------------------------------------------------------------------*/
function wd_num_frac(n) { /* representação em fração (2 casas) */
/* inteiros ou zero não têm parte fracionária, retornar string */
if (wd_test(n, ["integer", "zero"]))
return wd_integer(n).toFixed(0);
/* infinito também não tem parte fracionária, retornar string */
if (wd_test(n, ["infinity"]))
return wd_num_str(n);
/* capturar parte inteira e decimal */
let integer = wd_integer(n);
let decimal = wd_decimal(n);
/* números pequenos (e.g. 1/10000) retorna zero: ver deslocamento de casas decimais (abaixo) */
let data = {
int: Math.abs(integer), /* parte inteira (valor absoluto) */
mul: 1, /* multiplicador de 10 (melhorar precisão de números demais pequenos) */
val: Math.abs(decimal), /* valor a ser encontrado */
num: 0, /* numerador */
den: 1, /* denominador */
error: 1 /* erro: encontrar o menor valor */
};
/* deslocar números pequenos demais 0.0001 -> 0.1 (alterando provisoriamente o valor a ser encontrado) */
while((10*data.val) < 1) {
data.val = 10*data.val;
data.mul = 10*data.mul;
}
/* capturar números precisão de 3 dígitos */
let prime = wd_primes(1000, true);
/* testando valores em busca do menor erro */
for (let i = 0; i < prime.length; i++) {
let n = 0; /* numerador */
let d = prime[i]; /* denominador */
let e = 1; /* erro */
while (n < d) {
e = Math.abs((n/d)-data.val)/data.val; /* (final - inicial)/inicial */
if (e < data.error) {
data.den = d;
data.num = n;
data.error = e;
}
/* parando se error for zero (melhor valor encontrado) : looping interno */
if (data.error === 0) break;
n++;
}
/* parando se error for zero (melhor valor encontrado) : looping externo */
if (data.error === 0) break;
}
/* voltar o valor provisório à realidade (den*mul) */
data.den = data.den * data.mul;
/* calculando o MDC em busca de simplificações */
let mdc = wd_mdc(data.num, data.den);
data.num = data.num/mdc;
data.den = data.den/mdc;
/* analisando parte inteira e denominador em caso de aproximação computacional equivocada */
if (data.num === 0 && data.int === 0) return "0";
if (data.num === 0 && data.int !== 0) return data.int.toFixed(0);
/* formatando a fração */
data.int = data.int === 0 ? "" : data.int.toFixed(0)+" ";
data.num = data.num.toFixed(0)+"/";
data.den = data.den.toFixed(0);
return (n < 0 ? "-" : "")+data.int+data.num+data.den;
}
/*----------------------------------------------------------------------------*/
function wd_num_round(n, width) { /* arredonda número para determinado tamanho */
width = wd_finite(width) ? wd_integer(width, true) : 0;
return new Number(n.toFixed(width)).valueOf();
}
/*----------------------------------------------------------------------------*/
function wd_num_pow10(n, width) { /* transforma número em notação científica */
if (wd_test(n, ["infinity", "zero"])) return wd_num_str(n);
width = wd_finite(width) ? wd_integer(width, true) : undefined;
let chars = {
"0": "\u2070", "1": "\u00B9", "2": "\u00B2", "3": "\u00B3",
"4": "\u2074", "5": "\u2075", "6": "\u2076", "7": "\u2077",
"8": "\u2078", "9": "\u2079", "+": "\u207A", "-": "\u207B"
};
let exp = n.toExponential(width).split(/[eE]/);
for (let i in chars) {
let re = (/[0-9]/).test(i) ? new RegExp(i, "g") : new RegExp("\\"+i, "g");
exp[1] = exp[1].replace(re, chars[i]);
}
return exp.join(" \u00D7 10");
}
/*----------------------------------------------------------------------------*/
function wd_num_local(n, currency) { /* notação numérica local */
if (currency !== undefined) {
currency = {style: "currency", currency: currency};
try {return new Intl.NumberFormat(wd_lang(), currency).format(n);}
catch(e) {}
}
try {return new Intl.NumberFormat(wd_lang()).format(n);} catch(e) {}
return n.toLocaleString();
}
/*----------------------------------------------------------------------------*/
function wd_num_fixed(n, ldec, lint) { /* fixa quantidade de dígitos (decimal e inteiro) */
if (wd_test(n, ["infinity"])) return wd_num_str(n);
lint = wd_finite(lint) ? wd_integer(lint, true) : 0;
ldec = wd_finite(ldec) ? wd_integer(ldec, true) : 0;
let sign = n < 0 ? "-" : "";
let int = Math.abs(wd_integer(n));
let dec = Math.abs(wd_decimal(n));
dec = dec.toFixed((ldec > 20 ? 20 : ldec));
if ((/^1/).test(dec)) int++;
dec = ldec === 0 ? "" : "."+dec.split(".")[1];
int = int.toLocaleString("en-US").split(".")[0].replace(/\,/g, "").split("");
while (int.length < lint) int.unshift("0");
int = int.join("");
return sign+int+dec;
}
/*----------------------------------------------------------------------------*/
function wd_num_str(n, ratio) { /* Define a exibição de valores numéricos */
if (ratio === true) n = 100*n;
if (wd_test(n, ["infinity"]))
return (n < 0 ? "\u2212" : "\u002B")+"\u221E";
let end = ratio === true ? "\u0025" : "";
let val = Math.abs(n);
if (val === 0) return "0"+end;
if ((1/val) > 1) {
if (val <= 1e-10) return n.toExponential(0)+end;
if (val <= 1e-3) return n.toExponential(1)+end;
if (val <= 1e-2) return wd_num_fixed(n,2,0)+end;
} else {
if (val >= 1e10) return n.toExponential(0)+end;
if (val >= 1e3) return n.toExponential(1)+end;
if (val >= 1e2) return wd_num_fixed(n,0,0)+end;
if (val >= 1e1) return wd_num_fixed(n,1,0)+end;
}
return wd_num_fixed(n,2,0)+end;
}
/*----------------------------------------------------------------------------*/
function wd_time_ampm(h, m) { /* retorna hora no formato ampm */
let p = h < 12 ? " AM" : " PM";
h = h === 0 ? 12 : (h <= 12 ? h : (h - 12));
m = wd_num_fixed(m, 0, 2);
return wd_num_fixed(h)+":"+m+p;
}
/*----------------------------------------------------------------------------*/
function wd_time_format(obj, char) { /* define um formato de tempo a partir de caracteres especiais */
char = new String(char).toString();
let words = [
{c: "%h", v: function() {return wd_num_fixed(obj.h, 0, 0);}},
{c: "%H", v: function() {return wd_num_fixed(obj.h, 0, 2);}},
{c: "#h", v: function() {return obj.h12;}},