-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtest.txt
2411 lines (1919 loc) · 166 KB
/
test.txt
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
server.php:
15 // built-in PHP web server. This provides a convenient way to test a Laravel
16: // application without having installed a "real" web server software here.
17 if ($uri !== '/' && file_exists(__DIR__.$uri)) {
app/Http/Controllers/Admin/SystemSettings/SmAddOnsController.php:
105 $s->update_url = $url;
106: $s->installed_domain = url('/');
107 $s->activated_date = date('Y-m-d');
293 $s->update_url = $url;
294: $s->installed_domain = url('/');
295 $s->activated_date = date('Y-m-d');
362 $s->update_url = $url;
363: $s->installed_domain = url('/');
364 $s->activated_date = date('Y-m-d');
436 $s->update_url = $url;
437: $s->installed_domain = url('/');
438 $s->activated_date = date('Y-m-d');
app/Http/Middleware/CheckMaintenanceMode.php:
32 {
33: $c = Storage::exists('.app_installed') ? Storage::get('.app_installed') : false;
34 if (!$c) {
app/Http/Middleware/Localization.php:
26
27: if (Storage::exists('.app_installed') and Storage::get('.app_installed')) {
28 App::setLocale(getUserLanguage());
29 Cache::forget('translations');
30: if (Storage::exists('.app_installed') && Storage::get('.app_installed') && DB::connection()->getDatabaseName() != '') {
31 if (Schema::hasTable('sm_languages')) {
app/Providers/AppServiceProvider.php:
92
93: if(Storage::exists('.app_installed') && Storage::get('.app_installed')){
94 config(['broadcasting.default' => saasEnv('chatting_method')]);
config/database.php:
29 | so make sure you have the driver for your particular database of
30: | choice installed on your machine before you begin development.
31 |
config/modules.php:
200 | required parameter is 'class'.
201: | The file activator will store the activation status in storage/installed_modules
202 */
206 'statuses-file' => base_path('modules_statuses.json'),
207: 'cache-key' => 'activator.installed',
208 'cache-lifetime' => 604800,
database/migrations/2020_06_10_193309_create_infix_module_managers_table.php:
27 $table->string('checksum', 200)->nullable();
28: $table->string('installed_domain', 200)->nullable();
29 $table->boolean('is_default')->default(0);
54 $s->purchase_code = time();
55: $s->installed_domain = url('/');
56 $s->activated_date = date('Y-m-d');
77 $s->purchase_code = time();
78: $s->installed_domain = url('/');
79 $s->activated_date = date('Y-m-d');
101 $s->purchase_code = time();
102: $s->installed_domain = url('/');
103 $s->activated_date = date('Y-m-d');
124 $s->purchase_code = time();
125: $s->installed_domain = url('/');
126 $s->activated_date = date('Y-m-d');
147 $s->purchase_code = time();
148: $s->installed_domain = url('/');
149 $s->activated_date = date('Y-m-d');
170 $s->purchase_code = time();
171: $s->installed_domain = url('/');
172 $s->activated_date = date('Y-m-d');
192 $s->purchase_code = time();
193: $s->installed_domain = url('/');
194 $s->activated_date = date('Y-m-d');
207 $s->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
208: $s->installed_domain = url('/');
209 $s->activated_date = date('Y-m-d');
221 $s->addon_url = "mailto:[email protected]";
222: $s->installed_domain = url('/');
223 $s->activated_date = date('Y-m-d');
235 $s->addon_url = 'https://aorasoft.com';
236: $s->installed_domain = url('/');
237 $s->activated_date = date('Y-m-d');
251 $s->addon_url = "https://codecanyon.net/item/razorpay-payment-gateway-for-infixedu/27721206?s_rank=11";
252: $s->installed_domain = url('/');
253 $s->activated_date = date('Y-m-d');
265 $s->addon_url = "mailto:[email protected]";
266: $s->installed_domain = url('/');
267 $s->activated_date = date('Y-m-d');
280 $s->addon_url = "mailto:[email protected]";
281: $s->installed_domain = url('/');
282 $s->activated_date = date('Y-m-d');
295 $s->addon_url = "mailto:[email protected]";
296: $s->installed_domain = url('/');
297 $s->activated_date = date('Y-m-d');
310 $bulk_print->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
311: $bulk_print->installed_domain = url('/');
312 $bulk_print->activated_date = date('Y-m-d');
324 $HimalayaSms->addon_url = "mailto:[email protected]";
325: $HimalayaSms->installed_domain = url('/');
326 $HimalayaSms->activated_date = date('Y-m-d');
338 $XenditPayment->addon_url = "mailto:[email protected]";
339: $XenditPayment->installed_domain = url('/');
340 $XenditPayment->activated_date = date('Y-m-d');
352 $XenditPayment->addon_url = "mailto:[email protected]";
353: $XenditPayment->installed_domain = url('/');
354 $XenditPayment->activated_date = date('Y-m-d');
365 $s->purchase_code = null;
366: $s->installed_domain = null;
367 $s->activated_date = null;
378 $s->addon_url = "mailto:[email protected]";
379: $s->installed_domain = url('/');
380 $s->activated_date = date('Y-m-d');
400 $s->purchase_code = time();
401: $s->installed_domain = url('/');
402 $s->activated_date = date('Y-m-d');
422 $s->purchase_code = time();
423: $s->installed_domain = url('/');
424 $s->activated_date = date('Y-m-d');
435 $s->purchase_code = time();
436: $s->installed_domain = url('/');
437 $s->activated_date = date('Y-m-d');
448 $s->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
449: $s->installed_domain = url('/');
450 $s->activated_date = date('Y-m-d');
461 $s->addon_url = "https://codecanyon.net/item/google-meet-module-for-infixedu-gmeet-live-class/42463761";
462: $s->installed_domain = url('/');
463 $s->activated_date = date('Y-m-d');
475 $s->addon_url = "https://spondonit.com/contact";
476: $s->installed_domain = url('/');
477 $s->activated_date = date('Y-m-d');
489 $s->addon_url = "https://codecanyon.net/item/google-meet-module-for-infixedu-gmeet-live-class/42463761";
490: $s->installed_domain = url('/');
491 $s->activated_date = date('Y-m-d');
503 $s->addon_url = "https://codecanyon.net/item/google-meet-module-for-infixedu-gmeet-live-class/42463761";
504: $s->installed_domain = url('/');
505 $s->activated_date = date('Y-m-d');
517 // $s->addon_url = "https://codecanyon.net/item/google-meet-module-for-infixedu-gmeet-live-class/42463761";
518: // $s->installed_domain = url('/');
519 // $s->activated_date = date('Y-m-d');
532 $s->addon_url = "https://codecanyon.net/item/google-meet-module-for-infixedu-gmeet-live-class/42463761";
533: $s->installed_domain = url('/');
534 $s->activated_date = date('Y-m-d');
547 $s->addon_url = "mailto:[email protected]";
548: $s->installed_domain = url('/');
549 $s->activated_date = date('Y-m-d');
560 $s->addon_url = "maito:[email protected]";
561: $s->installed_domain = url('/');
562 $s->activated_date = date('Y-m-d');
573 $s->addon_url = "maito:[email protected]";
574: $s->installed_domain = url('/');
575 $s->activated_date = date('Y-m-d');
586 $s->addon_url = "maito:[email protected]";
587: $s->installed_domain = url('/');
588 $s->activated_date = date('Y-m-d');
600 $s->purchase_code = null;
601: $s->installed_domain = null;
602 $s->activated_date = null;
613 $s->addon_url = "maito:[email protected]";
614: $s->installed_domain = url('/');
615 $s->activated_date = date('Y-m-d');
database/migrations/2022_05_15_065010_add_marcado_pago_to_modules_table.php:
24 $s->addon_url = "https://spondonit.com/contact";
25: $s->installed_domain = url('/');
26 $s->activated_date = date('Y-m-d');
database/migrations/2022_05_15_071522_create_direct_fees_settings_table.php:
54 $s->is_default = 0;
55: $s->installed_domain = url('/');
56 $s->activated_date = date('Y-m-d');
database/migrations/2023_08_25_062823_create_update_7.1.1_to_7.2.0_table.php:
80 $s2->addon_url = "https://codecanyon.net/item/google-meet-module-for-infixedu-gmeet-live-class/42463761";
81: $s2->installed_domain = url('/');
82 $s2->activated_date = date('Y-m-d');
98 $s->is_default = 0;
99: $s->installed_domain = url('/');
100 $s->save();
database/migrations/2023_09_22_1346345_update_v721_to_v8_migrations.php:
586 $s->addon_url = "mailto:[email protected]";
587: $s->installed_domain = url('/');
588 $s->activated_date = date('Y-m-d');
605 $s2->addon_url = "maito:[email protected]";
606: $s2->installed_domain = url('/');
607 $s2->activated_date = date('Y-m-d');
622 $s3->addon_url = "maito:[email protected]";
623: $s3->installed_domain = url('/');
624 $s3->activated_date = date('Y-m-d');
database/migrations/2024_03_05_081452_update_v8.1.1_to_8.1.2.php:
26 $s3->addon_url = "maito:[email protected]";
27: $s3->installed_domain = url('/');
28 $s3->activated_date = date('Y-m-d');
database/migrations/2024_03_15_081452_update_v8.1.2_to_8.2.0.php:
27 $s->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
28: $s->installed_domain = url('/');
29 $s->activated_date = date('Y-m-d');
database/migrations/2024_07_17_081453_update_for_saas.php:
36 $s->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
37: $s->installed_domain = url('/');
38 $s->activated_date = date('Y-m-d');
52 $s->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
53: $s->installed_domain = url('/');
54 $s->activated_date = date('Y-m-d');
68 $s->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
69: $s->installed_domain = url('/');
70 $s->activated_date = date('Y-m-d');
84 $s->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
85: $s->installed_domain = url('/');
86 $s->activated_date = date('Y-m-d');
100 $s->addon_url = "https://codecanyon.net/item/infixedu-zoom-live-class/27623128?s_rank=12";
101: $s->installed_domain = url('/');
102 $s->activated_date = date('Y-m-d');
db/ccedb.sql:
2983 `checksum` varchar(200) DEFAULT NULL,
2984: `installed_domain` varchar(200) DEFAULT NULL,
2985 `is_default` tinyint(1) NOT NULL DEFAULT 0,
2996
2997: INSERT INTO `infix_module_managers` (`id`, `name`, `email`, `notes`, `version`, `update_url`, `purchase_code`, `checksum`, `installed_domain`, `is_default`, `addon_url`, `activated_date`, `lang_type`, `created_at`, `updated_at`) VALUES
2998 (1, 'RolePermission', '[email protected]', 'This is Role Permission Module for manage module. Thanks for using.', '0.1', 'https://spondonit.com/contact', '1739210267', NULL, 'http://localhost/capstone2', 1, NULL, '2025-02-10', NULL, '2025-02-10 09:57:47', '2025-02-10 09:57:47'),
Modules/RolePermission/Resources/views/index.blade.php:
53 <tr>
54: <td>@lang('common.installed_domain')</td>
55: <td>{{@$data->installed_domain}}</td>
56 </tr>
Modules/TemplateSettings/Resources/views/index.blade.php:
53 <tr>
54: <td>@lang('common.installed_domain')</td>
55: <td>{{@$data->installed_domain}}</td>
56 </tr>
packages/larabuild/optionbuilder/public/js/summernote-lite.min.js:
1 /*! For license information please see summernote-lite.min.js.LICENSE.txt */
2: ⟪ 7135 characters skipped ⟫:!h&&/webkit/i.test(c),isChrome:!h&&/chrome/i.test(c),isSafari:!h&&/safari/i.test(c)&&!/chrome/i.test(c),browserVersion:l,jqueryVersion:parseFloat(i.a.fn.jquery),isSupportAmd:r,isSupportTouch:f,isFontInstalled:function(t){var e="Comic Sans MS"===t?"Courier New":"Comic Sans MS",n=document.createElement("canvas").getContext("2d");n.font="200px '"+e+"'";var o=n.measureText("mmmmmmmmmmwwwww").width;return n.font="200px "+s(t)+', "'+e+'"',o!==n.measureText("mmmmmmmmmmwwwww").width},isW3CRangeSupport:!!document.createRange,inputEventName:p,genericFontFamilies:a,validFontName:s};var v=0;var g={eq:function(t){return function(e){return t===e}},eq2:function(t,e){return t===e},peq2:function(t){return function(e,n){return e[t]===n[t]}},ok:function(){return!0},fail:function(){return!1},self:function(t){return t},not:function(t){return function(){return!t.apply(t,arguments)}},and:function(t,e){return function(n){return t(n)&&e(n)}},invoke:function(t,e){return function(){return t[e].apply(t,arguments)}},resetUniqueId:function(){v=0},uniqueId:function(t){var e=++v+"";return t?t+e:e},rect2bnd:function(t){var e=i()(document);return{top:t.top+e.scrollTop(),left:t.left+e.scrollLeft(),width:t.right-t.l⟪ 77570 characters skipped ⟫his.options.container,this.ui.button(t)}},{key:"initialize",value:function(){this.addToolbarButtons(),this.addImagePopoverButtons(),this.addLinkPopoverButtons(),this.addTablePopoverButtons(),this.fontInstalledMap={}}},{key:"destroy",value:function(){delete this.fontInstalledMap}},{key:"isFontInstalled",value:function(t){return Object.prototype.hasOwnProperty.call(this.fontInstalledMap,t)||(this.fontInstalledMap[t]=m.isFontInstalled(t)||C.contains(this.options.fontNamesIgnoreCheck,t)),this.fontInstalledMap[t]}},{key:"isFontDeservedToAdd",value:function(t){return""!==(t=t.toLowerCase())&&this.isFontInstalled(t)&&-1===m.genericFontFamilies.indexOf(t)}},{key:"colorPalette",value:function(t,e,n,o){var r=this;return this.ui.buttonGroup({className:"note-color "+t,children:[this.button({className:"note-current-color-button",contents:this.ui.icon(this.options.icons.font+" note-recent-color"),tooltip:e,click:function(t){var e=i()(t.currentTarget);n&&o?r.context.invoke("editor.color",{backColor:e.attr("data-backColor"),foreColor:e.attr("data-foreColor")}):n?r.context.invoke("editor.color",{backColor:e.attr("data-backColor")}):o&&r.context.invoke("editor.color",{foreColor:e.attr("data-foreColor")})},callback:function(t){var e=t.find(".note-recent-color");n&&(e.css("background-color",r.options.colorButton.backColor),t.attr("data-backColor",r.options.colorButton.backColor)),o?(e.css("color",r.options.colorButton.foreColor),t.attr("data-foreColor",r.options.colorButton.foreColor)):e.css("color","transparent")}}),this.button({className:"dropdown-toggle",contents:this.ui.dropdownButtonContents(⟪ 6719 characters skipped ⟫an>',t.options),tooltip:t.lang.font.name,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className:"dropdown-fontname",checkClassName:t.options.icons.menuCheck,items:t.options.fontNames.filter(t.isFontInstalled.bind(t)),title:t.lang.font.name,template:function(t){return'<span style="font-family: '+m.validFontName(t)+'">'+t+"</span>"},click:t.context.createInvokeHandlerAndUpdateState("editor.fontName")})]).render()})),this.context.memo("button.fontsize",(function(){return t.ui.buttonGroup([t.button({className:"dropdown-toggle",contents:t.ui.dropdownButtonContents('<span class="note-current-fontsize"></span>',t.options),tooltip:t.lang.font.size,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className:"dropdown-fontsize",checkClassName:t.options.icons.menuCheck,items:t.options.fontSizes,title:t.lang.font.size,click:t.context.createInvokeHandlerAndUpdateState("editor.fontSize")})]).render()})),this.context.memo("button.fontsizeunit",(function(){return t.ui.buttonGroup([t.button({className:"dropdown-toggle",contents:t.ui.dropdownButtonContents('<span class="note-current-fontsizeunit"></span>',t.options),tooltip:t.lang.font.sizeunit,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className⟪ 11397 characters skipped ⟫hrough"===o["font-strikethrough"]}}),o["font-family"]){var r=o["font-family"].split(",").map((function(t){return t.replace(/[\'\"]/g,"").replace(/\s+$/,"").replace(/^\s+/,"")})),a=C.find(r,this.isFontInstalled.bind(this));n.find(".dropdown-fontname a").each((function(t,e){var n=i()(e),o=n.data("value")+""==a+"";n.toggleClass("checked",o)})),n.find(".note-current-fontname").text(a).css("font-family",a)}if(o["font-size"]){var s=o["font-size"];n.find(".dropdown-fontsize a").each((function(t,e){var n=i()(e),o=n.data("value")+""==s+"";n.toggleClass("checked",o)})),n.find(".note-current-fontsize").text(s);var l=o["font-size-unit"];n.find(".dropdown-fontsizeunit a").each((function(t,e){var n=i()(e),o=n.data("value")+""==l+"";n.toggleClass("checked",o)})),n.find(".note-current-fontsizeunit").text(l)}if(o["line-height"]){var c=o["line-height"];n.find(".dropdown-line-height li a").each((function(t,n){var o=i()(n).data("value")+""==c+"";e.className=o?"checked":""}))}}},{key:"updateBtnStates",value:function(t,e){var n=this;i.a.each(e,(function(e,o){n.ui.toggleBtnActive(t.find(e),o())}))}},{key:"tableMoveHandler",value:function(t){var e,n=i()(t.target.parentNode),o=n.next(),r=n.find(".note-dime
public/backEnd/assets/vendors/calender_js/core/main.esm.js:
6585 this.isReducing = false;
6586: // isDisplaying: boolean = false // installed in DOM? accepting renders?
6587 this.needsRerender = false; // needs a render?
public/backEnd/assets/vendors/calender_js/core/main.js:
6591 this.isReducing = false;
6592: // isDisplaying: boolean = false // installed in DOM? accepting renders?
6593 this.needsRerender = false; // needs a render?
public/backEnd/assets/vendors/laraberg/js/laraberg.js.map:
1: ⟪ 145516 characters skipped ⟫/library/code.js","webpack:///@wordpress/primitives/src/horizontal-rule/index.js","webpack:///@wordpress/icons/src/library/share.js","webpack:///@wordpress/icons/src/library/map-marker.js"],"names":["installedModules","__webpack_require__","moduleId","exports","module","i","l","modules","call","m","c","d","name","getter","o","Object","defineProperty","enumerable","get","r","Symbol","toStringTag","value","t","mode","__esModule","ns","create","key","bind","n","object","property","prototype","hasOwnProperty","p","s","logErrorOnce","memoize","console","args","sprintfjs","error","PRECEDENCE","OPENERS","TERMINATORS","PATTERN","OPERATORS","a","b","compile","expression","terms","match","operator","term","element","stack","substr","index","trim","push","pop","indexOf","length","concat","reverse","postfix","variables","j","getOperatorResult","Array","apply","earlyReturn","DEFAULT_OPTIONS","contextDelimiter","onMissingKey","Tannin","data","options","this","pluralForms","undefined","getPluralForm","domain","config","plural","pf","evaluate","plural_forms","parts","part","split","getPluralExpression","dcnpgettext","context","singular","entry","DEFAULT_LOCALE_DATA","createI18n","tannin","setLocal⟪ 2128653 characters skipped ⟫,EACL,6BAAKrnV,QAAL,YAAyBD,MAAM,8BAC9B,6BAAMvkD,EAAE,6PAIV,O,gDCNM8rY,EACL,6BAAKvnV,MAAL,8BAAyCC,QAAQ,aAChD,6BAAMxkD,EAAE,8ZAIV","file":"laraberg.js","sourcesContent":[" \t// The module cache\n \tvar installedModules = {};\n\n \t// The require function\n \tfunction __webpack_require__(moduleId) {\n\n \t\t// Check if module is in cache\n \t\tif(installedModules[moduleId]) {\n \t\t\treturn installedModules[moduleId].exports;\n \t\t}\n \t\t// Create a new module (and put it into the cache)\n \t\tvar module = installedModules[moduleId] = {\n \t\t\ti: moduleId,\n \t\t\tl: false,\n \t\t\texports: {}\n \t\t};\n\n \t\t// Execute the module function\n \t\tmodules[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n \t\t// Flag the module as loaded\n \t\tmodule.l = true;\n\n \t\t// Return the exports of the module\n \t\treturn module.exports;\n \t}\n\n\n \t// expose the modules object (__webpack_modules__)\n \t__webpack_require__.m = modules;\n\n \t// expose the module cache\n \t__webpack_require__.c = installedModules;\n\n \t// define getter function for harmony exports\n \t__webpack_require__.d = function(exports, name, getter) {\n \t\tif(!__webpack_require__.o(exports, name)) {\n \t\t\tObject.defineProperty(exports, name, { enumerable: true, get: getter });\n \t\t}\n \t};\n\n \t// define __esModule on exports\n \t__webpack_require__.r = function(exports) {\n \t\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n \t\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n \t\t}\n \t\tObject.defineProperty(exports, '__esModule', { value: true });\n \t};\n\n \t// create a fake namespace object\n \t// mode & 1: value is a module id, require it\n \t// mode & 2: merge all properties of value into the ns\n \t// mode & 4: return value when already ns object\n \t// mode & 8|1: behave like require\n \t__webpack_require__.t = function(value, mode) {\n \t\tif(mode & 1) value = __webpack_require__(value);\n \t\tif(mode & 8) return value;\n \t\tif((mode & 4) && typ⟪ 2375337 characters skipped ⟫heme( state = undefined, action ) {\n\tswitch ( action.type ) {\n\t\tcase 'RECEIVE_CURRENT_THEME':\n\t\t\treturn action.currentTheme.stylesheet;\n\t}\n\n\treturn state;\n}\n\n/**\n * Reducer managing installed themes.\n *\n * @param {Object} state Current state.\n * @param {Object} action Dispatched action.\n *\n * @return {Object} Updated state.\n */\nexport function themes( state = {}, action ) {\n\tswitch ( action.type ) {\n\t\tcase 'RECEIVE_CURRENT_THEME':\n\t\t\treturn {\n\t\t\t\t...state,\n\t\t\t\t[ action.currentTheme.stylesheet ]: action.currentTheme,\n\t\t\t};\n\t}\n\n\treturn state;\n}\n\n/**\n * Reducer managing theme supports data.\n *\n * @param {Object} state Current state.\n * @param {Object} action Dispatched action.\n *\n * @return {Object} Updated state.\n */\nexport function themeSupports( state = {}, action ) {\n\tswitch ( action.type ) {\n\t\tcase 'RECEIVE_THEME_SUPPORTS':\n\t\t\treturn {\n\t\t\t\t...state,\n\t\t\t\t...action.themeSupports,\n\t\t\t};\n\t}\n\n\treturn state;\n}\n\n/**\n * Higher Order Reducer for a given entity config. It supports:\n *\n * - Fetching\n * - Editing\n * - Saving\n *\n * @param {Object} entityConfig Entity config.\n *\n * @re⟪ 2430268 characters skipped ⟫oardJS\"] = factory();\n\telse\n\t\troot[\"ClipboardJS\"] = factory();\n})(this, function() {\nreturn /******/ (function(modules) { // webpackBootstrap\n/******/ \t// The module cache\n/******/ \tvar installedModules = {};\n/******/\n/******/ \t// The require function\n/******/ \tfunction __webpack_require__(moduleId) {\n/******/\n/******/ \t\t// Check if module is in cache\n/******/ \t\tif(installedModules[moduleId]) {\n/******/ \t\t\treturn installedModules[moduleId].exports;\n/******/ \t\t}\n/******/ \t\t// Create a new module (and put it into the cache)\n/******/ \t\tvar module = installedModules[moduleId] = {\n/******/ \t\t\ti: moduleId,\n/******/ \t\t\tl: false,\n/******/ \t\t\texports: {}\n/******/ \t\t};\n/******/\n/******/ \t\t// Execute the module function\n/******/ \t\tmodules[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n/******/\n/******/ \t\t// Flag the module as loaded\n/******/ \t\tmodule.l = true;\n/******/\n/******/ \t\t// Return the exports of the module\n/******/ \t\treturn module.exports;\n/******/ \t}\n/******/\n/******/\n/******/ \t// expose the modules object (__webpack_modules__)\n/******/ \t__webpack_require__.m = modules;\n/******/\n/******/ \t// expose the module cache\n/******/ \t__webpack_require__.c = installedModules;\n/******/\n/******/ \t// identity function for calling harmony imports with the correct context\n/******/ \t__webpack_require__.i = function(value) { return value; };\n/******/\n/******/ \t// define getter function for harmony exports\n/******/ \t__webpack_require__.d = function(exports, name, getter) {\n/******/ \t\tif(!__webpack_require__.o(exports, name)) {\n/******/ \t\t\tObject.defineProperty(exports, name, {\n/******/ \t\t\t\tconfigurable: false,\n/******/ \t\t\t\tenumerable: true,\n/******/ \t\t\t\tget: getter\n/******/ \t\t\t});\n/******/ \t\t}\n/******/ \t};\n/******/\n/******/ \t// getDefaultExport function for compatibility with non-harmony modules\n/******/ \t__webpack_require__.n = function(module) {\n/******/ \t\tvar getter = module && module.__esModule ?\n/******/ \t\t\tfunction getDefault() { return module['default']; } :\n/******/ \t\t\tfunction getModuleExports() { return module; };\n/******/ \t\t__webpack_require__.d(getter, 'a', getter);\n/******/
public/backEnd/assets/vendors/text_editor/summernote-bs4.js:
1 /*! For license information please see summernote-bs4.min.js.LICENSE.txt */
2: ⟪ 7135 characters skipped ⟫:!h&&/webkit/i.test(c),isChrome:!h&&/chrome/i.test(c),isSafari:!h&&/safari/i.test(c)&&!/chrome/i.test(c),browserVersion:l,jqueryVersion:parseFloat(i.a.fn.jquery),isSupportAmd:r,isSupportTouch:f,isFontInstalled:function(t){var e="Comic Sans MS"===t?"Courier New":"Comic Sans MS",n=document.createElement("canvas").getContext("2d");n.font="200px '"+e+"'";var o=n.measureText("mmmmmmmmmmwwwww").width;return n.font="200px "+s(t)+', "'+e+'"',o!==n.measureText("mmmmmmmmmmwwwww").width},isW3CRangeSupport:!!document.createRange,inputEventName:p,genericFontFamilies:a,validFontName:s};var v=0;var g={eq:function(t){return function(e){return t===e}},eq2:function(t,e){return t===e},peq2:function(t){return function(e,n){return e[t]===n[t]}},ok:function(){return!0},fail:function(){return!1},self:function(t){return t},not:function(t){return function(){return!t.apply(t,arguments)}},and:function(t,e){return function(n){return t(n)&&e(n)}},invoke:function(t,e){return function(){return t[e].apply(t,arguments)}},resetUniqueId:function(){v=0},uniqueId:function(t){var e=++v+"";return t?t+e:e},rect2bnd:function(t){var e=i()(document);return{top:t.top+e.scrollTop(),left:t.left+e.scrollLeft(),width:t.right-t.l⟪ 77570 characters skipped ⟫his.options.container,this.ui.button(t)}},{key:"initialize",value:function(){this.addToolbarButtons(),this.addImagePopoverButtons(),this.addLinkPopoverButtons(),this.addTablePopoverButtons(),this.fontInstalledMap={}}},{key:"destroy",value:function(){delete this.fontInstalledMap}},{key:"isFontInstalled",value:function(t){return Object.prototype.hasOwnProperty.call(this.fontInstalledMap,t)||(this.fontInstalledMap[t]=m.isFontInstalled(t)||C.contains(this.options.fontNamesIgnoreCheck,t)),this.fontInstalledMap[t]}},{key:"isFontDeservedToAdd",value:function(t){return""!==(t=t.toLowerCase())&&this.isFontInstalled(t)&&-1===m.genericFontFamilies.indexOf(t)}},{key:"colorPalette",value:function(t,e,n,o){var r=this;return this.ui.buttonGroup({className:"note-color "+t,children:[this.button({className:"note-current-color-button",contents:this.ui.icon(this.options.icons.font+" note-recent-color"),tooltip:e,click:function(t){var e=i()(t.currentTarget);n&&o?r.context.invoke("editor.color",{backColor:e.attr("data-backColor"),foreColor:e.attr("data-foreColor")}):n?r.context.invoke("editor.color",{backColor:e.attr("data-backColor")}):o&&r.context.invoke("editor.color",{foreColor:e.attr("data-foreColor")})},callback:function(t){var e=t.find(".note-recent-color");n&&(e.css("background-color",r.options.colorButton.backColor),t.attr("data-backColor",r.options.colorButton.backColor)),o?(e.css("color",r.options.colorButton.foreColor),t.attr("data-foreColor",r.options.colorButton.foreColor)):e.css("color","transparent")}}),this.button({className:"dropdown-toggle",contents:this.ui.dropdownButtonContents(⟪ 6719 characters skipped ⟫an>',t.options),tooltip:t.lang.font.name,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className:"dropdown-fontname",checkClassName:t.options.icons.menuCheck,items:t.options.fontNames.filter(t.isFontInstalled.bind(t)),title:t.lang.font.name,template:function(t){return'<span style="font-family: '+m.validFontName(t)+'">'+t+"</span>"},click:t.context.createInvokeHandlerAndUpdateState("editor.fontName")})]).render()})),this.context.memo("button.fontsize",(function(){return t.ui.buttonGroup([t.button({className:"dropdown-toggle",contents:t.ui.dropdownButtonContents('<span class="note-current-fontsize"></span>',t.options),tooltip:t.lang.font.size,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className:"dropdown-fontsize",checkClassName:t.options.icons.menuCheck,items:t.options.fontSizes,title:t.lang.font.size,click:t.context.createInvokeHandlerAndUpdateState("editor.fontSize")})]).render()})),this.context.memo("button.fontsizeunit",(function(){return t.ui.buttonGroup([t.button({className:"dropdown-toggle",contents:t.ui.dropdownButtonContents('<span class="note-current-fontsizeunit"></span>',t.options),tooltip:t.lang.font.sizeunit,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className⟪ 11397 characters skipped ⟫hrough"===o["font-strikethrough"]}}),o["font-family"]){var r=o["font-family"].split(",").map((function(t){return t.replace(/[\'\"]/g,"").replace(/\s+$/,"").replace(/^\s+/,"")})),a=C.find(r,this.isFontInstalled.bind(this));n.find(".dropdown-fontname a").each((function(t,e){var n=i()(e),o=n.data("value")+""==a+"";n.toggleClass("checked",o)})),n.find(".note-current-fontname").text(a).css("font-family",a)}if(o["font-size"]){var s=o["font-size"];n.find(".dropdown-fontsize a").each((function(t,e){var n=i()(e),o=n.data("value")+""==s+"";n.toggleClass("checked",o)})),n.find(".note-current-fontsize").text(s);var l=o["font-size-unit"];n.find(".dropdown-fontsizeunit a").each((function(t,e){var n=i()(e),o=n.data("value")+""==l+"";n.toggleClass("checked",o)})),n.find(".note-current-fontsizeunit").text(l)}if(o["line-height"]){var c=o["line-height"];n.find(".dropdown-line-height li a").each((function(t,n){var o=i()(n).data("value")+""==c+"";e.className=o?"checked":""}))}}},{key:"updateBtnStates",value:function(t,e){var n=this;i.a.each(e,(function(e,o){n.ui.toggleBtnActive(t.find(e),o())}))}},{key:"tableMoveHandler",value:function(t){var e,n=i()(t.target.parentNode),o=n.next(),r=n.find(".note-dime
public/backEnd/assets/vendors/uppy/uppy.legacy.min.js:
1 "use strict";
2: ⟪ 182753 characters skipped ⟫arget is not a Plugin class. Please check that you're not specifying a React Component instead of a plugin. If you are using @uppy/* packages directly, make sure you have only 1 version of @uppy/core installed: run `npm ls @uppy/core` on the command line and verify that all the versions match and are deduped correctly.":p+="If you meant to target an HTML element, please make sure that the element exists. Check that the <script> tag initializing Uppy is right before the closing </body> tag at the end of the page. (see https://github.com/transloadit/uppy/issues/1042)\n\nIf you meant to target a plugin, please confirm that your `import` statements or `require` calls are correct.",new Error(p)}},{key:"update",value:function(i){if(this.el!=null){var a,o;(a=(o=I4(this,xf))[xf])==null||a.call(o,i)}}},{key:"unmount",value:function(){if(this.isTargetDOMEl){var i;(i=this.el)==null||i.remove()}this.onUnmount()}},{key:"onMount",value:function(){}},{key:"onUnmount",value:function(){}}]),r}(WNe);x4.exports=GNe});var nt=h(function(vpt,ms){"use strict";var C4=e4(),KNe=F4(),YNe=bn(),XNe=SP(),QNe=XNe.debugLogger;ms.exports=C4;ms.exports.Uppy=C4;ms.exports.UIPlugin=KNe;ms.exports.BasePlugin=YNe;ms.ex
3 /*!
public/backEnd/assets/vendors/uppy/uppy.min.js:
6 * ${o.message}`}),this.info({message:this.i18n("addBulkFilesFailed",{smart_count:s.length}),details:n},"error",this.opts.infoTimeout),typeof AggregateError=="function")throw new AggregateError(s,n);{let o=new Error(n);throw o.errors=s,o}}}removeFiles(e,t){let{files:r,currentUploads:s}=this.getState(),n={...r},o={...s},a=Object.create(null);e.forEach(d=>{r[d]&&(a[d]=r[d],delete n[d])});function l(d){return a[d]===void 0}Object.keys(o).forEach(d=>{let m=s[d].fileIDs.filter(l);if(m.length===0){delete o[d];return}o[d]={...s[d],fileIDs:m}});let c={currentUploads:o,files:n};Object.keys(n).length===0&&(c.allowNewUpload=!0,c.error=null,c.recoveredState=null),this.setState(c),this.calculateTotalProgress();let u=Object.keys(a);u.forEach(d=>{this.emit("file-removed",a[d],t)}),u.length>5?this.log(`Removed ${u.length} files`):this.log(`Removed files: ${u.join(", ")}`)}removeFile(e,t){t===void 0&&(t=null),this.removeFiles([e],t)}pauseResume(e){if(!this.getState().capabilities.resumableUploads||this.getFile(e).uploadComplete)return;let r=!(this.getFile(e).isPaused||!1);return this.setFileState(e,{isPaused:r}),this.emit("upload-pause",e,r),r}pauseAll(){let e={...this.getState().files};Object.keys(e).filter(r=>!e[r].progress.uploadComplete&&e[r].progress.uploadStarted).forEach(r=>{let s={...e[r],isPaused:!0};e[r]=s}),this.setState({files:e}),this.emit("pause-all")}resumeAll(){let e={...this.getState().files};Object.keys(e).filter(r=>!e[r].progress.uploadComplete&&e[r].progress.uploadStarted).forEach(r=>{let s={...e[r],isPaused:!1,error:null};e[r]=s}),this.setState({files:e}),this.emit("resume-all")}retryAll(){let e={...this.getState().files},t=Object.keys(e).filter(s=>e[s].error);if(t.forEach(s=>{let n={...e[s],isPaused:!1,error:null};e[s]=n}),this.setState({files:e,error:null}),this.emit("retry-all",t),t.length===0)return Promise.resolve({successful:[],failed:[]});let r=L(this,_i)[_i](t,{forceAllowNewUpload:!0});return L(this,Si)[Si](r)}cancelAll(){this.emit("cancel-all");let{files:e}=this.getState(),t=Object.keys(e);t.length&&this.removeFiles(t,"cancel-all"),this.setState({totalProgress:0,error:null,recoveredState:null})}retryUpload(e){this.setFileState(e,{error:null,isPaused:!1}),this.emit("upload-retry",e);let t=L(this,_i)[_i]([e],{forceAllowNewUpload:!0});return L(this,Si)[Si](t)}reset(){this.cancelAll()}logout(){this.iteratePlugins(e=>{e.provider&&e.provider.logout&&e.provider.logout()})}calculateProgress(e,t){if(!this.getFile(e.id)){this.log(`Not setting progress for a file that has been removed: ${e.id}`);return}let r=Number.isFinite(t.bytesTotal)&&t.bytesTotal>0;this.setFileState(e.id,{progress:{...this.getFile(e.id).progress,bytesUploaded:t.bytesUploaded,bytesTotal:t.bytesTotal,percentage:r?Math.round(t.bytesUploaded/t.bytesTotal*100):0}}),this.calculateTotalProgress()}calculateTotalProgress(){let t=this.getFiles().filter(c=>c.progress.uploadStarted||c.progress.preprocess||c.progress.postprocess);if(t.length===0){this.emit("progress",0),this.setState({totalProgress:0});return}let r=t.filter(c=>c.progress.bytesTotal!=null),s=t.filter(c=>c.progress.bytesTotal==null);if(r.length===0){let c=t.length*100,u=s.reduce((m,b)=>m+b.progress.percentage,0),d=Math.round(u/c*100);this.setState({totalProgress:d});return}let n=r.reduce((c,u)=>c+u.progress.bytesTotal,0),o=n/r.length;n+=o*s.length;let a=0;r.forEach(c=>{a+=c.progress.bytesUploaded}),s.forEach(c=>{a+=o*(c.progress.percentage||0)/100});let l=n===0?0:Math.round(a/n*100);l>100&&(l=100),this.setState({totalProgress:l}),this.emit("progress",l)}updateOnlineStatus(){(typeof window.navigator.onLine!="undefined"?window.navigator.onLine:!0)?(this.emit("is-online"),this.wasOffline&&(this.emit("back-online"),this.info(this.i18n("connectedToInternet"),"success",3e3),this.wasOffline=!1)):(this.emit("is-offline"),this.info(this.i18n("noInternetConnection"),"error",0),this.wasOffline=!0)}getID(){return this.opts.id}use(e,t){if(typeof e!="function"){let o=`Expected a plugin class, but got ${e===null?"null":typeof e}. Please verify that the plugin was imported and spelled correctly.`;throw new TypeError(o)}let r=new e(this,t),s=r.id;if(!s)throw new Error("Your plugin must have an id");if(!r.type)throw new Error("Your plugin must have a type");let n=this.getPlugin(s);if(n){let o=`Already found a plugin named '${n.id}'. Tried to use: '${s}'.
7: ⟪ 22596 characters skipped ⟫arget is not a Plugin class. Please check that you're not specifying a React Component instead of a plugin. If you are using @uppy/* packages directly, make sure you have only 1 version of @uppy/core installed: run `npm ls @uppy/core` on the command line and verify that all the versions match and are deduped correctly.":o+="If you meant to target an HTML element, please make sure that the element exists. Check that the <script> tag initializing Uppy is right before the closing </body> tag at the end of the page. (see https://github.com/transloadit/uppy/issues/1042)\n\nIf you meant to target a plugin, please confirm that your `import` statements or `require` calls are correct.",new Error(o)}update(e){if(this.el!=null){var t,r;(t=(r=Fp(this,dn))[dn])==null||t.call(r,e)}}unmount(){if(this.isTargetDOMEl){var e;(e=this.el)==null||e.remove()}this.onUnmount()}onMount(){}onUnmount(){}};Cp.exports=yo});var ye=g((dD,Kr)=>{"use strict";var Rp=Zd(),q3=xp(),L3=Mt(),{debugLogger:j3}=Nl();Kr.exports=Rp;Kr.exports.Uppy=Rp;Kr.exports.UIPlugin=q3;Kr.exports.BasePlugin=L3;Kr.exports.debugLogger=j3});var vr=g((pD,Tp)=>{var Op=class extends Error{constructor(e,t){t===void 0&&(t=null);super("This looks
8
public/backEnd/vendors/calender_js/core/main.esm.js:
6585 this.isReducing = false;
6586: // isDisplaying: boolean = false // installed in DOM? accepting renders?
6587 this.needsRerender = false; // needs a render?
public/backEnd/vendors/calender_js/core/main.js:
6591 this.isReducing = false;
6592: // isDisplaying: boolean = false // installed in DOM? accepting renders?
6593 this.needsRerender = false; // needs a render?
public/backEnd/vendors/editor/summernote-bs4.js:
989 /**
990: * returns whether font is installed or not.
991 *
994 */
995: function isFontInstalled(fontName) {
996 var testFontName = fontName === 'Comic Sans MS' ? 'Courier New' : 'Comic Sans MS';
1049 hasCodeMirror: hasCodeMirror,
1050: isFontInstalled: isFontInstalled,
1051 isW3CRangeSupport: !!document.createRange,
6131 this.addTablePopoverButtons();
6132: this.fontInstalledMap = {};
6133 };
6134 Buttons.prototype.destroy = function () {
6135: delete this.fontInstalledMap;
6136 };
6137: Buttons.prototype.isFontInstalled = function (name) {
6138: if (!this.fontInstalledMap.hasOwnProperty(name)) {
6139: this.fontInstalledMap[name] = env.isFontInstalled(name) ||
6140 lists.contains(this.options.fontNamesIgnoreCheck, name);
6141 }
6142: return this.fontInstalledMap[name];
6143 };
6146 name = name.toLowerCase();
6147: return (name !== '' && this.isFontInstalled(name) && genericFamilies.indexOf(name) === -1);
6148 };
6428 checkClassName: _this.options.icons.menuCheck,
6429: items: _this.options.fontNames.filter(_this.isFontInstalled.bind(_this)),
6430 title: _this.lang.font.name,
6856 });
6857: var fontName_1 = lists.find(fontNames, this.isFontInstalled.bind(this));
6858 $cont.find('.dropdown-fontname a').each(function (idx, item) {
public/backEnd/vendors/editor/ckeditor/README.md:
24
25: **Note:** CKEditor is by default installed in the `ckeditor` folder. You can
26 place the files in whichever you want though.
public/backEnd/vendors/js/summernote.js:
24 /******/ // The module cache
25: /******/ var installedModules = {};
26 /******/
30 /******/ // Check if module is in cache
31: /******/ if(installedModules[moduleId]) {
32: /******/ return installedModules[moduleId].exports;
33 /******/ }
34 /******/ // Create a new module (and put it into the cache)
35: /******/ var module = installedModules[moduleId] = {
36 /******/ i: moduleId,
55 /******/ // expose the module cache
56: /******/ __webpack_require__.c = installedModules;
57 /******/
399 /**
400: * returns whether font is installed or not.
401 *
411
412: function env_isFontInstalled(fontName) {
413 var testFontName = fontName === 'Comic Sans MS' ? 'Courier New' : 'Comic Sans MS';
469 isSupportTouch: isSupportTouch,
470: isFontInstalled: env_isFontInstalled,
471 isW3CRangeSupport: !!document.createRange,
7354 this.addTablePopoverButtons();
7355: this.fontInstalledMap = {};
7356 }
7359 value: function destroy() {
7360: delete this.fontInstalledMap;
7361 }
7362 }, {
7363: key: "isFontInstalled",
7364: value: function isFontInstalled(name) {
7365: if (!Object.prototype.hasOwnProperty.call(this.fontInstalledMap, name)) {
7366: this.fontInstalledMap[name] = env.isFontInstalled(name) || lists.contains(this.options.fontNamesIgnoreCheck, name);
7367 }
7368
7369: return this.fontInstalledMap[name];
7370 }
7374 name = name.toLowerCase();
7375: return name !== '' && this.isFontInstalled(name) && env.genericFontFamilies.indexOf(name) === -1;
7376 }
7629 checkClassName: _this2.options.icons.menuCheck,
7630: items: _this2.options.fontNames.filter(_this2.isFontInstalled.bind(_this2)),
7631 title: _this2.lang.font.name,
8068 });
8069: var fontName = lists.find(fontNames, this.isFontInstalled.bind(this));
8070 $cont.find('.dropdown-fontname a').each(function (idx, item) {
public/backEnd/vendors/laraberg/js/laraberg.js.map:
1: ⟪ 145516 characters skipped ⟫/library/code.js","webpack:///@wordpress/primitives/src/horizontal-rule/index.js","webpack:///@wordpress/icons/src/library/share.js","webpack:///@wordpress/icons/src/library/map-marker.js"],"names":["installedModules","__webpack_require__","moduleId","exports","module","i","l","modules","call","m","c","d","name","getter","o","Object","defineProperty","enumerable","get","r","Symbol","toStringTag","value","t","mode","__esModule","ns","create","key","bind","n","object","property","prototype","hasOwnProperty","p","s","logErrorOnce","memoize","console","args","sprintfjs","error","PRECEDENCE","OPENERS","TERMINATORS","PATTERN","OPERATORS","a","b","compile","expression","terms","match","operator","term","element","stack","substr","index","trim","push","pop","indexOf","length","concat","reverse","postfix","variables","j","getOperatorResult","Array","apply","earlyReturn","DEFAULT_OPTIONS","contextDelimiter","onMissingKey","Tannin","data","options","this","pluralForms","undefined","getPluralForm","domain","config","plural","pf","evaluate","plural_forms","parts","part","split","getPluralExpression","dcnpgettext","context","singular","entry","DEFAULT_LOCALE_DATA","createI18n","tannin","setLocal⟪ 2128653 characters skipped ⟫,EACL,6BAAKrnV,QAAL,YAAyBD,MAAM,8BAC9B,6BAAMvkD,EAAE,6PAIV,O,gDCNM8rY,EACL,6BAAKvnV,MAAL,8BAAyCC,QAAQ,aAChD,6BAAMxkD,EAAE,8ZAIV","file":"laraberg.js","sourcesContent":[" \t// The module cache\n \tvar installedModules = {};\n\n \t// The require function\n \tfunction __webpack_require__(moduleId) {\n\n \t\t// Check if module is in cache\n \t\tif(installedModules[moduleId]) {\n \t\t\treturn installedModules[moduleId].exports;\n \t\t}\n \t\t// Create a new module (and put it into the cache)\n \t\tvar module = installedModules[moduleId] = {\n \t\t\ti: moduleId,\n \t\t\tl: false,\n \t\t\texports: {}\n \t\t};\n\n \t\t// Execute the module function\n \t\tmodules[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n \t\t// Flag the module as loaded\n \t\tmodule.l = true;\n\n \t\t// Return the exports of the module\n \t\treturn module.exports;\n \t}\n\n\n \t// expose the modules object (__webpack_modules__)\n \t__webpack_require__.m = modules;\n\n \t// expose the module cache\n \t__webpack_require__.c = installedModules;\n\n \t// define getter function for harmony exports\n \t__webpack_require__.d = function(exports, name, getter) {\n \t\tif(!__webpack_require__.o(exports, name)) {\n \t\t\tObject.defineProperty(exports, name, { enumerable: true, get: getter });\n \t\t}\n \t};\n\n \t// define __esModule on exports\n \t__webpack_require__.r = function(exports) {\n \t\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n \t\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n \t\t}\n \t\tObject.defineProperty(exports, '__esModule', { value: true });\n \t};\n\n \t// create a fake namespace object\n \t// mode & 1: value is a module id, require it\n \t// mode & 2: merge all properties of value into the ns\n \t// mode & 4: return value when already ns object\n \t// mode & 8|1: behave like require\n \t__webpack_require__.t = function(value, mode) {\n \t\tif(mode & 1) value = __webpack_require__(value);\n \t\tif(mode & 8) return value;\n \t\tif((mode & 4) && typ⟪ 2375337 characters skipped ⟫heme( state = undefined, action ) {\n\tswitch ( action.type ) {\n\t\tcase 'RECEIVE_CURRENT_THEME':\n\t\t\treturn action.currentTheme.stylesheet;\n\t}\n\n\treturn state;\n}\n\n/**\n * Reducer managing installed themes.\n *\n * @param {Object} state Current state.\n * @param {Object} action Dispatched action.\n *\n * @return {Object} Updated state.\n */\nexport function themes( state = {}, action ) {\n\tswitch ( action.type ) {\n\t\tcase 'RECEIVE_CURRENT_THEME':\n\t\t\treturn {\n\t\t\t\t...state,\n\t\t\t\t[ action.currentTheme.stylesheet ]: action.currentTheme,\n\t\t\t};\n\t}\n\n\treturn state;\n}\n\n/**\n * Reducer managing theme supports data.\n *\n * @param {Object} state Current state.\n * @param {Object} action Dispatched action.\n *\n * @return {Object} Updated state.\n */\nexport function themeSupports( state = {}, action ) {\n\tswitch ( action.type ) {\n\t\tcase 'RECEIVE_THEME_SUPPORTS':\n\t\t\treturn {\n\t\t\t\t...state,\n\t\t\t\t...action.themeSupports,\n\t\t\t};\n\t}\n\n\treturn state;\n}\n\n/**\n * Higher Order Reducer for a given entity config. It supports:\n *\n * - Fetching\n * - Editing\n * - Saving\n *\n * @param {Object} entityConfig Entity config.\n *\n * @re⟪ 2430268 characters skipped ⟫oardJS\"] = factory();\n\telse\n\t\troot[\"ClipboardJS\"] = factory();\n})(this, function() {\nreturn /******/ (function(modules) { // webpackBootstrap\n/******/ \t// The module cache\n/******/ \tvar installedModules = {};\n/******/\n/******/ \t// The require function\n/******/ \tfunction __webpack_require__(moduleId) {\n/******/\n/******/ \t\t// Check if module is in cache\n/******/ \t\tif(installedModules[moduleId]) {\n/******/ \t\t\treturn installedModules[moduleId].exports;\n/******/ \t\t}\n/******/ \t\t// Create a new module (and put it into the cache)\n/******/ \t\tvar module = installedModules[moduleId] = {\n/******/ \t\t\ti: moduleId,\n/******/ \t\t\tl: false,\n/******/ \t\t\texports: {}\n/******/ \t\t};\n/******/\n/******/ \t\t// Execute the module function\n/******/ \t\tmodules[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n/******/\n/******/ \t\t// Flag the module as loaded\n/******/ \t\tmodule.l = true;\n/******/\n/******/ \t\t// Return the exports of the module\n/******/ \t\treturn module.exports;\n/******/ \t}\n/******/\n/******/\n/******/ \t// expose the modules object (__webpack_modules__)\n/******/ \t__webpack_require__.m = modules;\n/******/\n/******/ \t// expose the module cache\n/******/ \t__webpack_require__.c = installedModules;\n/******/\n/******/ \t// identity function for calling harmony imports with the correct context\n/******/ \t__webpack_require__.i = function(value) { return value; };\n/******/\n/******/ \t// define getter function for harmony exports\n/******/ \t__webpack_require__.d = function(exports, name, getter) {\n/******/ \t\tif(!__webpack_require__.o(exports, name)) {\n/******/ \t\t\tObject.defineProperty(exports, name, {\n/******/ \t\t\t\tconfigurable: false,\n/******/ \t\t\t\tenumerable: true,\n/******/ \t\t\t\tget: getter\n/******/ \t\t\t});\n/******/ \t\t}\n/******/ \t};\n/******/\n/******/ \t// getDefaultExport function for compatibility with non-harmony modules\n/******/ \t__webpack_require__.n = function(module) {\n/******/ \t\tvar getter = module && module.__esModule ?\n/******/ \t\t\tfunction getDefault() { return module['default']; } :\n/******/ \t\t\tfunction getModuleExports() { return module; };\n/******/ \t\t__webpack_require__.d(getter, 'a', getter);\n/******/
public/backEnd/vendors/text_editor/summernote-bs4.js:
1 /*! For license information please see summernote-bs4.min.js.LICENSE.txt */
2: ⟪ 7135 characters skipped ⟫:!h&&/webkit/i.test(c),isChrome:!h&&/chrome/i.test(c),isSafari:!h&&/safari/i.test(c)&&!/chrome/i.test(c),browserVersion:l,jqueryVersion:parseFloat(i.a.fn.jquery),isSupportAmd:r,isSupportTouch:f,isFontInstalled:function(t){var e="Comic Sans MS"===t?"Courier New":"Comic Sans MS",n=document.createElement("canvas").getContext("2d");n.font="200px '"+e+"'";var o=n.measureText("mmmmmmmmmmwwwww").width;return n.font="200px "+s(t)+', "'+e+'"',o!==n.measureText("mmmmmmmmmmwwwww").width},isW3CRangeSupport:!!document.createRange,inputEventName:p,genericFontFamilies:a,validFontName:s};var v=0;var g={eq:function(t){return function(e){return t===e}},eq2:function(t,e){return t===e},peq2:function(t){return function(e,n){return e[t]===n[t]}},ok:function(){return!0},fail:function(){return!1},self:function(t){return t},not:function(t){return function(){return!t.apply(t,arguments)}},and:function(t,e){return function(n){return t(n)&&e(n)}},invoke:function(t,e){return function(){return t[e].apply(t,arguments)}},resetUniqueId:function(){v=0},uniqueId:function(t){var e=++v+"";return t?t+e:e},rect2bnd:function(t){var e=i()(document);return{top:t.top+e.scrollTop(),left:t.left+e.scrollLeft(),width:t.right-t.l⟪ 77570 characters skipped ⟫his.options.container,this.ui.button(t)}},{key:"initialize",value:function(){this.addToolbarButtons(),this.addImagePopoverButtons(),this.addLinkPopoverButtons(),this.addTablePopoverButtons(),this.fontInstalledMap={}}},{key:"destroy",value:function(){delete this.fontInstalledMap}},{key:"isFontInstalled",value:function(t){return Object.prototype.hasOwnProperty.call(this.fontInstalledMap,t)||(this.fontInstalledMap[t]=m.isFontInstalled(t)||C.contains(this.options.fontNamesIgnoreCheck,t)),this.fontInstalledMap[t]}},{key:"isFontDeservedToAdd",value:function(t){return""!==(t=t.toLowerCase())&&this.isFontInstalled(t)&&-1===m.genericFontFamilies.indexOf(t)}},{key:"colorPalette",value:function(t,e,n,o){var r=this;return this.ui.buttonGroup({className:"note-color "+t,children:[this.button({className:"note-current-color-button",contents:this.ui.icon(this.options.icons.font+" note-recent-color"),tooltip:e,click:function(t){var e=i()(t.currentTarget);n&&o?r.context.invoke("editor.color",{backColor:e.attr("data-backColor"),foreColor:e.attr("data-foreColor")}):n?r.context.invoke("editor.color",{backColor:e.attr("data-backColor")}):o&&r.context.invoke("editor.color",{foreColor:e.attr("data-foreColor")})},callback:function(t){var e=t.find(".note-recent-color");n&&(e.css("background-color",r.options.colorButton.backColor),t.attr("data-backColor",r.options.colorButton.backColor)),o?(e.css("color",r.options.colorButton.foreColor),t.attr("data-foreColor",r.options.colorButton.foreColor)):e.css("color","transparent")}}),this.button({className:"dropdown-toggle",contents:this.ui.dropdownButtonContents(⟪ 6719 characters skipped ⟫an>',t.options),tooltip:t.lang.font.name,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className:"dropdown-fontname",checkClassName:t.options.icons.menuCheck,items:t.options.fontNames.filter(t.isFontInstalled.bind(t)),title:t.lang.font.name,template:function(t){return'<span style="font-family: '+m.validFontName(t)+'">'+t+"</span>"},click:t.context.createInvokeHandlerAndUpdateState("editor.fontName")})]).render()})),this.context.memo("button.fontsize",(function(){return t.ui.buttonGroup([t.button({className:"dropdown-toggle",contents:t.ui.dropdownButtonContents('<span class="note-current-fontsize"></span>',t.options),tooltip:t.lang.font.size,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className:"dropdown-fontsize",checkClassName:t.options.icons.menuCheck,items:t.options.fontSizes,title:t.lang.font.size,click:t.context.createInvokeHandlerAndUpdateState("editor.fontSize")})]).render()})),this.context.memo("button.fontsizeunit",(function(){return t.ui.buttonGroup([t.button({className:"dropdown-toggle",contents:t.ui.dropdownButtonContents('<span class="note-current-fontsizeunit"></span>',t.options),tooltip:t.lang.font.sizeunit,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className⟪ 11397 characters skipped ⟫hrough"===o["font-strikethrough"]}}),o["font-family"]){var r=o["font-family"].split(",").map((function(t){return t.replace(/[\'\"]/g,"").replace(/\s+$/,"").replace(/^\s+/,"")})),a=C.find(r,this.isFontInstalled.bind(this));n.find(".dropdown-fontname a").each((function(t,e){var n=i()(e),o=n.data("value")+""==a+"";n.toggleClass("checked",o)})),n.find(".note-current-fontname").text(a).css("font-family",a)}if(o["font-size"]){var s=o["font-size"];n.find(".dropdown-fontsize a").each((function(t,e){var n=i()(e),o=n.data("value")+""==s+"";n.toggleClass("checked",o)})),n.find(".note-current-fontsize").text(s);var l=o["font-size-unit"];n.find(".dropdown-fontsizeunit a").each((function(t,e){var n=i()(e),o=n.data("value")+""==l+"";n.toggleClass("checked",o)})),n.find(".note-current-fontsizeunit").text(l)}if(o["line-height"]){var c=o["line-height"];n.find(".dropdown-line-height li a").each((function(t,n){var o=i()(n).data("value")+""==c+"";e.className=o?"checked":""}))}}},{key:"updateBtnStates",value:function(t,e){var n=this;i.a.each(e,(function(e,o){n.ui.toggleBtnActive(t.find(e),o())}))}},{key:"tableMoveHandler",value:function(t){var e,n=i()(t.target.parentNode),o=n.next(),r=n.find(".note-dime
public/backEnd/vendors/uppy/uppy.legacy.min.js:
1 "use strict";
2: ⟪ 182753 characters skipped ⟫arget is not a Plugin class. Please check that you're not specifying a React Component instead of a plugin. If you are using @uppy/* packages directly, make sure you have only 1 version of @uppy/core installed: run `npm ls @uppy/core` on the command line and verify that all the versions match and are deduped correctly.":p+="If you meant to target an HTML element, please make sure that the element exists. Check that the <script> tag initializing Uppy is right before the closing </body> tag at the end of the page. (see https://github.com/transloadit/uppy/issues/1042)\n\nIf you meant to target a plugin, please confirm that your `import` statements or `require` calls are correct.",new Error(p)}},{key:"update",value:function(i){if(this.el!=null){var a,o;(a=(o=I4(this,xf))[xf])==null||a.call(o,i)}}},{key:"unmount",value:function(){if(this.isTargetDOMEl){var i;(i=this.el)==null||i.remove()}this.onUnmount()}},{key:"onMount",value:function(){}},{key:"onUnmount",value:function(){}}]),r}(WNe);x4.exports=GNe});var nt=h(function(vpt,ms){"use strict";var C4=e4(),KNe=F4(),YNe=bn(),XNe=SP(),QNe=XNe.debugLogger;ms.exports=C4;ms.exports.Uppy=C4;ms.exports.UIPlugin=KNe;ms.exports.BasePlugin=YNe;ms.ex
3 /*!
public/backEnd/vendors/uppy/uppy.min.js:
6 * ${o.message}`}),this.info({message:this.i18n("addBulkFilesFailed",{smart_count:s.length}),details:n},"error",this.opts.infoTimeout),typeof AggregateError=="function")throw new AggregateError(s,n);{let o=new Error(n);throw o.errors=s,o}}}removeFiles(e,t){let{files:r,currentUploads:s}=this.getState(),n={...r},o={...s},a=Object.create(null);e.forEach(d=>{r[d]&&(a[d]=r[d],delete n[d])});function l(d){return a[d]===void 0}Object.keys(o).forEach(d=>{let m=s[d].fileIDs.filter(l);if(m.length===0){delete o[d];return}o[d]={...s[d],fileIDs:m}});let c={currentUploads:o,files:n};Object.keys(n).length===0&&(c.allowNewUpload=!0,c.error=null,c.recoveredState=null),this.setState(c),this.calculateTotalProgress();let u=Object.keys(a);u.forEach(d=>{this.emit("file-removed",a[d],t)}),u.length>5?this.log(`Removed ${u.length} files`):this.log(`Removed files: ${u.join(", ")}`)}removeFile(e,t){t===void 0&&(t=null),this.removeFiles([e],t)}pauseResume(e){if(!this.getState().capabilities.resumableUploads||this.getFile(e).uploadComplete)return;let r=!(this.getFile(e).isPaused||!1);return this.setFileState(e,{isPaused:r}),this.emit("upload-pause",e,r),r}pauseAll(){let e={...this.getState().files};Object.keys(e).filter(r=>!e[r].progress.uploadComplete&&e[r].progress.uploadStarted).forEach(r=>{let s={...e[r],isPaused:!0};e[r]=s}),this.setState({files:e}),this.emit("pause-all")}resumeAll(){let e={...this.getState().files};Object.keys(e).filter(r=>!e[r].progress.uploadComplete&&e[r].progress.uploadStarted).forEach(r=>{let s={...e[r],isPaused:!1,error:null};e[r]=s}),this.setState({files:e}),this.emit("resume-all")}retryAll(){let e={...this.getState().files},t=Object.keys(e).filter(s=>e[s].error);if(t.forEach(s=>{let n={...e[s],isPaused:!1,error:null};e[s]=n}),this.setState({files:e,error:null}),this.emit("retry-all",t),t.length===0)return Promise.resolve({successful:[],failed:[]});let r=L(this,_i)[_i](t,{forceAllowNewUpload:!0});return L(this,Si)[Si](r)}cancelAll(){this.emit("cancel-all");let{files:e}=this.getState(),t=Object.keys(e);t.length&&this.removeFiles(t,"cancel-all"),this.setState({totalProgress:0,error:null,recoveredState:null})}retryUpload(e){this.setFileState(e,{error:null,isPaused:!1}),this.emit("upload-retry",e);let t=L(this,_i)[_i]([e],{forceAllowNewUpload:!0});return L(this,Si)[Si](t)}reset(){this.cancelAll()}logout(){this.iteratePlugins(e=>{e.provider&&e.provider.logout&&e.provider.logout()})}calculateProgress(e,t){if(!this.getFile(e.id)){this.log(`Not setting progress for a file that has been removed: ${e.id}`);return}let r=Number.isFinite(t.bytesTotal)&&t.bytesTotal>0;this.setFileState(e.id,{progress:{...this.getFile(e.id).progress,bytesUploaded:t.bytesUploaded,bytesTotal:t.bytesTotal,percentage:r?Math.round(t.bytesUploaded/t.bytesTotal*100):0}}),this.calculateTotalProgress()}calculateTotalProgress(){let t=this.getFiles().filter(c=>c.progress.uploadStarted||c.progress.preprocess||c.progress.postprocess);if(t.length===0){this.emit("progress",0),this.setState({totalProgress:0});return}let r=t.filter(c=>c.progress.bytesTotal!=null),s=t.filter(c=>c.progress.bytesTotal==null);if(r.length===0){let c=t.length*100,u=s.reduce((m,b)=>m+b.progress.percentage,0),d=Math.round(u/c*100);this.setState({totalProgress:d});return}let n=r.reduce((c,u)=>c+u.progress.bytesTotal,0),o=n/r.length;n+=o*s.length;let a=0;r.forEach(c=>{a+=c.progress.bytesUploaded}),s.forEach(c=>{a+=o*(c.progress.percentage||0)/100});let l=n===0?0:Math.round(a/n*100);l>100&&(l=100),this.setState({totalProgress:l}),this.emit("progress",l)}updateOnlineStatus(){(typeof window.navigator.onLine!="undefined"?window.navigator.onLine:!0)?(this.emit("is-online"),this.wasOffline&&(this.emit("back-online"),this.info(this.i18n("connectedToInternet"),"success",3e3),this.wasOffline=!1)):(this.emit("is-offline"),this.info(this.i18n("noInternetConnection"),"error",0),this.wasOffline=!0)}getID(){return this.opts.id}use(e,t){if(typeof e!="function"){let o=`Expected a plugin class, but got ${e===null?"null":typeof e}. Please verify that the plugin was imported and spelled correctly.`;throw new TypeError(o)}let r=new e(this,t),s=r.id;if(!s)throw new Error("Your plugin must have an id");if(!r.type)throw new Error("Your plugin must have a type");let n=this.getPlugin(s);if(n){let o=`Already found a plugin named '${n.id}'. Tried to use: '${s}'.
7: ⟪ 22596 characters skipped ⟫arget is not a Plugin class. Please check that you're not specifying a React Component instead of a plugin. If you are using @uppy/* packages directly, make sure you have only 1 version of @uppy/core installed: run `npm ls @uppy/core` on the command line and verify that all the versions match and are deduped correctly.":o+="If you meant to target an HTML element, please make sure that the element exists. Check that the <script> tag initializing Uppy is right before the closing </body> tag at the end of the page. (see https://github.com/transloadit/uppy/issues/1042)\n\nIf you meant to target a plugin, please confirm that your `import` statements or `require` calls are correct.",new Error(o)}update(e){if(this.el!=null){var t,r;(t=(r=Fp(this,dn))[dn])==null||t.call(r,e)}}unmount(){if(this.isTargetDOMEl){var e;(e=this.el)==null||e.remove()}this.onUnmount()}onMount(){}onUnmount(){}};Cp.exports=yo});var ye=g((dD,Kr)=>{"use strict";var Rp=Zd(),q3=xp(),L3=Mt(),{debugLogger:j3}=Nl();Kr.exports=Rp;Kr.exports.Uppy=Rp;Kr.exports.UIPlugin=q3;Kr.exports.BasePlugin=L3;Kr.exports.debugLogger=j3});var vr=g((pD,Tp)=>{var Op=class extends Error{constructor(e,t){t===void 0&&(t=null);super("This looks
8
public/js/app.js:
1 /*! For license information please see app.js.LICENSE.txt */
2: ⟪ 315386 characters skipped ⟫=document.createTextNode(i),a=r.element.childNodes;a[o]&&r.element.removeChild(a[o]),a.length?r.element.insertBefore(s,a[o]):r.element.appendChild(s)}}}(e,t)}}),void 0);var k={install:function e(t){e.installed||(e.installed=!0,t.component("VueEditor",w))},version:"2.10.3",Quill:i.a,VueEditor:w},M=null;"undefined"!=typeof window?M=window.Vue:void 0!==e&&(M=e.Vue),M&&M.use(k)}).call(this,n(10))},function(e,t,n){"use strict";n.d(t,"a",(function(){return de}));var r=n(9),i=n.n(r);function o(e){return(o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}function s(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function a(e){return function(e){if(Array.isArray(e)){for(var t=0,n=new Array(e.length);t<e.length;t++)n[t]=e[t];return n}}(e)||function(e){if(Symbol.iterator in Object(e)||"[object Arguments]"===Object.prototype.toString.call(e))return Array.from(e)}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance")}()}function l(){return"undefined"!=typeof Refl⟪ 521380 characters skipped ⟫n,e.observable=e=>(Oe(e),e),e.options=Object.create(null),R.forEach(t=>{e.options[t+"s"]=Object.create(null)}),e.options._base=e,D(e.options.components,yr),function(e){e.use=function(e){const t=this._installedPlugins||(this._installedPlugins=[]);if(t.indexOf(e)>-1)return this;const n=j(arguments,1);return n.unshift(this),u(e.install)?e.install.apply(e,n):u(e)&&e.apply(null,n),t.push(e),this}}(e),function(e){e.mixin=function(e){return this.options=ir(this.options,e),this}}(e),function(e){e.cid=0;let t=1;e.extend=function(e){e=e||{};const n=this,r=n.cid,i=e._Ctor||(e._Ctor={});if(i[r])return i[r];const o=Bn(e)||Bn(n.options),s=function(e){this._init(e)};return(s.prototype=Object.create(n.prototype)).constructor=s,s.cid=t++,s.options=ir(n.options,e),s.super=n,s.options.props&&function(e){const t=e.options.props;for(const n in t)qn(e.prototype,"_props",n)}(s),s.options.computed&&function(e){const t=e.options.computed;for(const n in t)An(e.prototype,n,t[n])}(s),s.extend=n.extend,s.mixin=n.mixin,s.use=n.use,R.forEach((function(e){s[e]=n[e]})),o&&(s.options.components[o]=s),s.superOptions=n.options,s.extendOptions=e,s.sealedOptions=D({},s.options),i[r]=s,s}}(e),function(e){R.forEach(t=>{e[t]=function(e,n){return
public/vendor/optionbuilder/js/summernote-lite.min.js:
1 /*! For license information please see summernote-lite.min.js.LICENSE.txt */
2: ⟪ 7135 characters skipped ⟫:!h&&/webkit/i.test(c),isChrome:!h&&/chrome/i.test(c),isSafari:!h&&/safari/i.test(c)&&!/chrome/i.test(c),browserVersion:l,jqueryVersion:parseFloat(i.a.fn.jquery),isSupportAmd:r,isSupportTouch:f,isFontInstalled:function(t){var e="Comic Sans MS"===t?"Courier New":"Comic Sans MS",n=document.createElement("canvas").getContext("2d");n.font="200px '"+e+"'";var o=n.measureText("mmmmmmmmmmwwwww").width;return n.font="200px "+s(t)+', "'+e+'"',o!==n.measureText("mmmmmmmmmmwwwww").width},isW3CRangeSupport:!!document.createRange,inputEventName:p,genericFontFamilies:a,validFontName:s};var v=0;var g={eq:function(t){return function(e){return t===e}},eq2:function(t,e){return t===e},peq2:function(t){return function(e,n){return e[t]===n[t]}},ok:function(){return!0},fail:function(){return!1},self:function(t){return t},not:function(t){return function(){return!t.apply(t,arguments)}},and:function(t,e){return function(n){return t(n)&&e(n)}},invoke:function(t,e){return function(){return t[e].apply(t,arguments)}},resetUniqueId:function(){v=0},uniqueId:function(t){var e=++v+"";return t?t+e:e},rect2bnd:function(t){var e=i()(document);return{top:t.top+e.scrollTop(),left:t.left+e.scrollLeft(),width:t.right-t.l⟪ 77570 characters skipped ⟫his.options.container,this.ui.button(t)}},{key:"initialize",value:function(){this.addToolbarButtons(),this.addImagePopoverButtons(),this.addLinkPopoverButtons(),this.addTablePopoverButtons(),this.fontInstalledMap={}}},{key:"destroy",value:function(){delete this.fontInstalledMap}},{key:"isFontInstalled",value:function(t){return Object.prototype.hasOwnProperty.call(this.fontInstalledMap,t)||(this.fontInstalledMap[t]=m.isFontInstalled(t)||C.contains(this.options.fontNamesIgnoreCheck,t)),this.fontInstalledMap[t]}},{key:"isFontDeservedToAdd",value:function(t){return""!==(t=t.toLowerCase())&&this.isFontInstalled(t)&&-1===m.genericFontFamilies.indexOf(t)}},{key:"colorPalette",value:function(t,e,n,o){var r=this;return this.ui.buttonGroup({className:"note-color "+t,children:[this.button({className:"note-current-color-button",contents:this.ui.icon(this.options.icons.font+" note-recent-color"),tooltip:e,click:function(t){var e=i()(t.currentTarget);n&&o?r.context.invoke("editor.color",{backColor:e.attr("data-backColor"),foreColor:e.attr("data-foreColor")}):n?r.context.invoke("editor.color",{backColor:e.attr("data-backColor")}):o&&r.context.invoke("editor.color",{foreColor:e.attr("data-foreColor")})},callback:function(t){var e=t.find(".note-recent-color");n&&(e.css("background-color",r.options.colorButton.backColor),t.attr("data-backColor",r.options.colorButton.backColor)),o?(e.css("color",r.options.colorButton.foreColor),t.attr("data-foreColor",r.options.colorButton.foreColor)):e.css("color","transparent")}}),this.button({className:"dropdown-toggle",contents:this.ui.dropdownButtonContents(⟪ 6719 characters skipped ⟫an>',t.options),tooltip:t.lang.font.name,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className:"dropdown-fontname",checkClassName:t.options.icons.menuCheck,items:t.options.fontNames.filter(t.isFontInstalled.bind(t)),title:t.lang.font.name,template:function(t){return'<span style="font-family: '+m.validFontName(t)+'">'+t+"</span>"},click:t.context.createInvokeHandlerAndUpdateState("editor.fontName")})]).render()})),this.context.memo("button.fontsize",(function(){return t.ui.buttonGroup([t.button({className:"dropdown-toggle",contents:t.ui.dropdownButtonContents('<span class="note-current-fontsize"></span>',t.options),tooltip:t.lang.font.size,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className:"dropdown-fontsize",checkClassName:t.options.icons.menuCheck,items:t.options.fontSizes,title:t.lang.font.size,click:t.context.createInvokeHandlerAndUpdateState("editor.fontSize")})]).render()})),this.context.memo("button.fontsizeunit",(function(){return t.ui.buttonGroup([t.button({className:"dropdown-toggle",contents:t.ui.dropdownButtonContents('<span class="note-current-fontsizeunit"></span>',t.options),tooltip:t.lang.font.sizeunit,data:{toggle:"dropdown"}}),t.ui.dropdownCheck({className⟪ 11397 characters skipped ⟫hrough"===o["font-strikethrough"]}}),o["font-family"]){var r=o["font-family"].split(",").map((function(t){return t.replace(/[\'\"]/g,"").replace(/\s+$/,"").replace(/^\s+/,"")})),a=C.find(r,this.isFontInstalled.bind(this));n.find(".dropdown-fontname a").each((function(t,e){var n=i()(e),o=n.data("value")+""==a+"";n.toggleClass("checked",o)})),n.find(".note-current-fontname").text(a).css("font-family",a)}if(o["font-size"]){var s=o["font-size"];n.find(".dropdown-fontsize a").each((function(t,e){var n=i()(e),o=n.data("value")+""==s+"";n.toggleClass("checked",o)})),n.find(".note-current-fontsize").text(s);var l=o["font-size-unit"];n.find(".dropdown-fontsizeunit a").each((function(t,e){var n=i()(e),o=n.data("value")+""==l+"";n.toggleClass("checked",o)})),n.find(".note-current-fontsizeunit").text(l)}if(o["line-height"]){var c=o["line-height"];n.find(".dropdown-line-height li a").each((function(t,n){var o=i()(n).data("value")+""==c+"";e.className=o?"checked":""}))}}},{key:"updateBtnStates",value:function(t,e){var n=this;i.a.each(e,(function(e,o){n.ui.toggleBtnActive(t.find(e),o())}))}},{key:"tableMoveHandler",value:function(t){var e,n=i()(t.target.parentNode),o=n.next(),r=n.find(".note-dime
resources/json/test.json:
2 "en": {
3: ⟪ 19862 characters skipped ⟫":\"Message\",\"waiting\":\"Waiting\",\"closed\":\"Closed\",\"topic\":\"Topic\",\"document\":\"Document\",\"home\":\"Home\",\"module_version\":\"Module Version\",\"purchase_code\":\"Purchase Code\",\"installed_domain\":\"Installed Domain\",\"system_activated_date\":\"System Activated Date\",\"check_update\":\"Check Update\",\"view_note\":\"View Note\",\"class_name\":\"Class Name\",\"student_list\":\"Student List\",\"select_month\":\"Select Month\",\"national_id_card\":\"National Id Card\",\"national_id_number\":\"National Id Number\",\"delete_custom_field\":\"Delete Custom Field\",\"birth_certificate_number\":\"Birth Certificate Number\",\"email_address\":\"Email Address\",\"academic_year\":\"Academic Year\",\"class_sec\":\"Class(Section)\",\"language\":\"Language\",\"select_language\":\"Select Language\",\"select_class\":\"Select Class\",\"select_subject\":\"Select Subject\",\"select_subjects\":\"Select Subjects\",\"select_teacher\":\"Select Teacher\",\"select_item\":\"Select Item\",\"select_exam\":\"Select Exam\",\"select_type\":\"Select Type\",\"select_lesson\":\"Select Lesson\",\"select_academic_year\":\"Select Academic Year\",\"select_student\":\"Select Student\",\"select_exam_type\":\"Select Exam
4 "php": {
710 "purchase_code": "Purchase Code",
711: "installed_domain": "Installed Domain",
712 "system_activated_date": "System Activated Date",
3960 "bn": {
3961: ⟪ 54093 characters skipped ⟫\\u09be \\u09b9\\u09df\\u09c7\\u099b\\u09c7\",\"topic\":\"\\u09ac\\u09bf\\u09b7\\u09df\",\"module_version\":\"\\u09ae\\u09a1\\u09bf\\u0989\\u09b2 \\u09b8\\u0982\\u09b8\\u09cd\\u0995\\u09b0\\u09a3\",\"installed_domain\":\"\\u0987\\u09a8\\u09b8\\u09cd\\u099f\\u09b2 \\u0995\\u09b0\\u09be \\u09a1\\u09cb\\u09ae\\u09c7\\u0987\\u09a8\",\"view_note\":\"\\u09a8\\u09cb\\u099f \\u09a6\\u09c7\\u0996\\u09be\\u0993\",\"class_name\":\"\\u0995\\u09cd\\u09b2\\u09be\\u09b8 \\u09a8\\u09be\\u09ae\",\"student_list\":\"\\u099b\\u09be\\u09a4\\u09cd\\u09b0 \\u09a4\\u09be\\u09b2\\u09bf\\u0995\\u09be\",\"national_id_card\":\"\\u099c\\u09be\\u09a4\\u09c0\\u09df \\u09aa\\u09b0\\u09bf\\u099a\\u09df \\u09aa\\u09a4\\u09cd\\u09b0\",\"national_id_number\":\"\\u099c\\u09be\\u09a4\\u09c0\\u09af\\u09bc \\u0986\\u0987\\u09a1\\u09bf \\u0995\\u09be\\u09b0\\u09cd\\u09a1\",\"delete_custom_field\":\"\\u09b8\\u09cd\\u09ac\\u09a8\\u09bf\\u09b0\\u09cd\\u09a7\\u09be\\u09b0\\u09bf\\u09a4 \\u0995\\u09cd\\u09b7\\u09c7\\u09a4\\u09cd\\u09b0 \\u09ae\\u09c1\\u099b\\u09c7 \\u09ab\\u09c7\\u09b2\\u09c1\\u09a8\",\"birth_certificate_number\":\"\\u09ac\\u09be\\u09b0\\u09cd\\u09a5 \\u09b8\\u09be\\u09b0\\u09cd\\u099f\\u09bf\\u09ab\\u09bf\\u0
3962 "php": {
4516 "module_version": "\u09ae\u09a1\u09bf\u0989\u09b2 \u09b8\u0982\u09b8\u09cd\u0995\u09b0\u09a3",
4517: "installed_domain": "\u0987\u09a8\u09b8\u09cd\u099f\u09b2 \u0995\u09b0\u09be \u09a1\u09cb\u09ae\u09c7\u0987\u09a8",
4518 "view_note": "\u09a8\u09cb\u099f \u09a6\u09c7\u0996\u09be\u0993",
7377 "es": {
7378: ⟪ 19370 characters skipped ⟫Esperando\",\"closed\":\"Cerrado\",\"topic\":\"Tema\",\"document\":\"Documento\",\"home\":\"Casa\",\"module_version\":\"Versi\\u00f3n del m\\u00f3dulo\",\"purchase_code\":\"C\\u00f3digo de compra\",\"installed_domain\":\"Dominio instalado\",\"system_activated_date\":\"Fecha de activaci\\u00f3n del sistema\",\"check_update\":\"Comprobar actualizaci\\u00f3n\",\"view_note\":\"Ver nota\",\"class_name\":\"Nombre de clase\",\"student_list\":\"Lista de estudiantes\",\"select_month\":\"Seleccione Mes\",\"national_id_card\":\"Tarjeta de identidad nacional\",\"national_id_number\":\"Tarjeta de identidad nacional\",\"delete_custom_field\":\"Suprimir campo personalizado\",\"birth_certificate_number\":\"N\\u00famero de certificado de nacimiento\",\"email_address\":\"Direcci\\u00f3n electr\\u00f3nica\",\"academic_year\":\"A\\u00f1o acad\\u00e9mico\",\"class_sec\":\"Clase (Secci\\u00f3n)\",\"language\":\"Lengua\",\"select_language\":\"Seleccionar idioma\",\"select_class\":\"Seleccionar clase\",\"select_subject\":\"Seleccionar asunto\",\"select_subjects\":\"Seleccionar temas\",\"select_teacher\":\"Seleccionar profesor\",\"select_item\":\"Seleccionar elemento\",\"select_exam\":\"Seleccionar examen\
7379 "php": {
7913 "purchase_code": "C\u00f3digo de compra",
7914: "installed_domain": "Dominio instalado",
7915 "system_activated_date": "Fecha de activaci\u00f3n del sistema",
11055 "fr": {
11056: ⟪ 23057 characters skipped ⟫waiting\":\"En attente\",\"closed\":\"Ferm\\u00e9\",\"topic\":\"Rubrique\",\"document\":\"Document\",\"home\":\"Accueil\",\"module_version\":\"Version du module\",\"purchase_code\":\"Code d'achat\",\"installed_domain\":\"Domaine install\\u00e9\",\"system_activated_date\":\"Date d'activation du syst\\u00e8me\",\"check_update\":\"V\\u00e9rifier le point\",\"view_note\":\"Afficher la note\",\"class_name\":\"Nom de classe\",\"student_list\":\"Liste des \\u00e9tudiants\",\"select_month\":\"S\\u00e9lectionner un mois\",\"national_id_card\":\"Carte d'identit\\u00e9 nationale\",\"national_id_number\":\"Carte d'identit\\u00e9 nationale\",\"delete_custom_field\":\"Supprimer une zone personnalis\\u00e9e\",\"birth_certificate_number\":\"Num\\u00e9ro de certificat de naissance\",\"email_address\":\"Adresse \\u00e9lectronique\",\"academic_year\":\"Ann\\u00e9e universitaire\",\"class_sec\":\"Classe (section)\",\"language\":\"Langue\",\"select_language\":\"S\\u00e9lectionner une langue\",\"select_class\":\"S\\u00e9lectionner une classe\",\"select_subject\":\"S\\u00e9lectionner le sujet\",\"select_subjects\":\"S\\u00e9lectionner des sujets\",\"select_teacher\":\"S\\u00e9lectionner l'enseignant\",\"
11057 "php": {
11674 "purchase_code": "Code d'achat",
11675: "installed_domain": "Domaine install\u00e9",
11676 "system_activated_date": "Date d'activation du syst\u00e8me",
resources/lang/ar/common.php:
91 "purchase_code" => "Purchase Code",
92: "installed_domain" => "Installed Domain",
93 "system_activated_date" => "System Activated Date",
resources/lang/be/common.php:
91 'purchase_code'=>'Purchase Code',
92: 'installed_domain'=>'Installed Domain',
93 'system_activated_date'=>'System Activated Date',
resources/lang/bn/common.php:
13 "module_version" => "মডিউল সংস্করণ",
14: "installed_domain" => "ইনস্টল করা ডোমেইন",
15 "view_note" => "নোট দেখাও",
resources/lang/ca/common.php:
88 'purchase_code'=>'Purchase Code',
89: 'installed_domain'=>'Installed Domain',
90 'system_activated_date'=>'System Activated Date',
resources/lang/en/common.php:
91 "purchase_code" => "Purchase Code",
92: "installed_domain" => "Installed Domain",
93 "system_activated_date" => "System Activated Date",
resources/lang/es/common.php:
84
85: "installed_domain" => "Dominio instalado",
86
resources/lang/fr/common.php:
84
85: "installed_domain" => "Domaine installé",
86
resources/views/vendors/service/install/license.blade.php:
29 <div class="form-group">
30: <label class="required" for="installed_domain">{{ __('service::install.installed_domain') }}</label>
31: <input type="text" class="form-control" name="installed_domain" id="installed_domain" required="required" readonly value="{{ app_url() }}" >
32 </div>
resources/views/vendors/service/update/index.blade.php:
19 <tr>
20: <td>Current Installed Version</td>
21 <td>{{ gv($product, 'current_version') }}</td>
87 <tr>
88: <td>Current Installed Version</td>
89 <td>{{ gv($product, 'current_version') }}</td>
vendor/ankitpokhrel/tus-php/README.md:
433 Make sure that [docker](https://docs.docker.com/engine/installation/) and [docker-compose](https://docs.docker.com/compose/install/)
434: are installed in your system. Then, run docker script from project root.
435 ```shell
vendor/barryvdh/laravel-dompdf/CHANGELOG.md:
36 > - Improves border, outline, and background rendering for inline elements
37: > - Switches installed fonts and font metrics cache file format to JSON
38 > - Adds support for the inset CSS shorthand property and the legacy break-word keyword for word-break
vendor/brick/math/CHANGELOG.md:
260
261: - When installed with `--no-dev`, the autoloader does not autoload tests anymore
262 - Tests and other files unnecessary for production are excluded from the dist package
vendor/carbonphp/carbon-doctrine-types/src/Carbon/Doctrine/CarbonTypeConverter.php:
21 /**
22: * This property differentiates types installed by carbonphp/carbon-doctrine-types
23 * from the ones embedded previously in nesbot/carbon source directly.
vendor/clue/stream-filter/README.md:
217 Please note that not all filter functions may be available depending
218: on installed PHP extensions and the PHP version in use.
219 In particular, [HHVM](https://hhvm.com/) may not offer the same filter functions
vendor/clue/stream-filter/src/functions.php:
205 * Please note that not all filter functions may be available depending
206: * on installed PHP extensions and the PHP version in use.
207 * In particular, [HHVM](https://hhvm.com/) may not offer the same filter functions
vendor/composer/autoload_classmap.php:
1169 'Complex\\Operations' => $vendorDir . '/markbaker/complex/classes/src/Operations.php',
1170: 'Composer\\InstalledVersions' => $vendorDir . '/composer/InstalledVersions.php',
1171 'Composer\\Semver\\Comparator' => $vendorDir . '/composer/semver/src/Comparator.php',
10516 'Twilio\\Rest\\Preview\\Marketplace\\AvailableAddOn\\AvailableAddOnExtensionPage' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/AvailableAddOn/AvailableAddOnExtensionPage.php',
10517: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnContext' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnContext.php',
10518: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnInstance' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnInstance.php',
10519: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnList' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnList.php',
10520: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnOptions' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnOptions.php',
10521: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnPage' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnPage.php',
10522: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOn\\InstalledAddOnExtensionContext' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOn/InstalledAddOnExtensionContext.php',
10523: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOn\\InstalledAddOnExtensionInstance' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOn/InstalledAddOnExtensionInstance.php',
10524: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOn\\InstalledAddOnExtensionList' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOn/InstalledAddOnExtensionList.php',
10525: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOn\\InstalledAddOnExtensionPage' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOn/InstalledAddOnExtensionPage.php',
10526 'Twilio\\Rest\\Preview\\Sync' => $vendorDir . '/twilio/sdk/src/Twilio/Rest/Preview/Sync.php',
vendor/composer/autoload_static.php:
2117 'Complex\\Operations' => __DIR__ . '/..' . '/markbaker/complex/classes/src/Operations.php',
2118: 'Composer\\InstalledVersions' => __DIR__ . '/..' . '/composer/InstalledVersions.php',
2119 'Composer\\Semver\\Comparator' => __DIR__ . '/..' . '/composer/semver/src/Comparator.php',
11464 'Twilio\\Rest\\Preview\\Marketplace\\AvailableAddOn\\AvailableAddOnExtensionPage' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/AvailableAddOn/AvailableAddOnExtensionPage.php',
11465: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnContext' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnContext.php',
11466: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnInstance' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnInstance.php',
11467: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnList' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnList.php',
11468: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnOptions' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnOptions.php',
11469: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOnPage' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOnPage.php',
11470: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOn\\InstalledAddOnExtensionContext' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOn/InstalledAddOnExtensionContext.php',
11471: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOn\\InstalledAddOnExtensionInstance' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOn/InstalledAddOnExtensionInstance.php',
11472: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOn\\InstalledAddOnExtensionList' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOn/InstalledAddOnExtensionList.php',
11473: 'Twilio\\Rest\\Preview\\Marketplace\\InstalledAddOn\\InstalledAddOnExtensionPage' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Marketplace/InstalledAddOn/InstalledAddOnExtensionPage.php',
11474 'Twilio\\Rest\\Preview\\Sync' => __DIR__ . '/..' . '/twilio/sdk/src/Twilio/Rest/Preview/Sync.php',
vendor/composer/InstalledVersions.php:
18 /**
19: * This class is copied in every Composer installed project and available to all
20 *
21: * See also https://getcomposer.org/doc/07-runtime.md#installed-versions
22 *
26 */
27: class InstalledVersions
28 {
32 */
33: private static $installed;
34
43 */
44: private static $installedByVendor = array();
45
46 /**
47: * Returns a list of all package names which are present, either by being installed, replaced or provided
48 *
51 */
52: public static function getInstalledPackages()
53 {
54 $packages = array();
55: foreach (self::getInstalled() as $installed) {
56: $packages[] = array_keys($installed['versions']);
57 }
72 */
73: public static function getInstalledPackagesByType($type)
74 {
76
77: foreach (self::getInstalled() as $installed) {
78: foreach ($installed['versions'] as $name => $package) {
79 if (isset($package['type']) && $package['type'] === $type) {
88 /**
89: * Checks whether the given package is installed
90 *
96 */
97: public static function isInstalled($packageName, $includeDevRequirements = true)
98 {
99: foreach (self::getInstalled() as $installed) {
100: if (isset($installed['versions'][$packageName])) {
101: return $includeDevRequirements || !isset($installed['versions'][$packageName]['dev_requirement']) || $installed['versions'][$packageName]['dev_requirement'] === false;
102 }
110 *
111: * e.g. If you want to know whether version 2.3+ of package foo/bar is installed, you would call:
112 *
113: * Composer\InstalledVersions::satisfies(new VersionParser, 'foo/bar', '^2.3')
114 *
128 /**
129: * Returns a version constraint representing all the range(s) which are installed for a given package
130 *
131: * It is easier to use this via isInstalled() with the $constraint argument if you need to check
132: * whether a given version of a package is installed, and not just whether it exists
133 *
138 {
139: foreach (self::getInstalled() as $installed) {
140: if (!isset($installed['versions'][$packageName])) {
141 continue;
144 $ranges = array();
145: if (isset($installed['versions'][$packageName]['pretty_version'])) {
146: $ranges[] = $installed['versions'][$packageName]['pretty_version'];
147 }
148: if (array_key_exists('aliases', $installed['versions'][$packageName])) {
149: $ranges = array_merge($ranges, $installed['versions'][$packageName]['aliases']);
150 }
151: if (array_key_exists('replaced', $installed['versions'][$packageName])) {
152: $ranges = array_merge($ranges, $installed['versions'][$packageName]['replaced']);
153 }
154: if (array_key_exists('provided', $installed['versions'][$packageName])) {
155: $ranges = array_merge($ranges, $installed['versions'][$packageName]['provided']);
156 }
160
161: throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
162 }
165 * @param string $packageName
166: * @return string|null If the package is being replaced or provided but is not really installed, null will be returned as version, use satisfies or getVersionRanges if you need to know if a given version is present
167 */
169 {
170: foreach (self::getInstalled() as $installed) {
171: if (!isset($installed['versions'][$packageName])) {
172 continue;
174
175: if (!isset($installed['versions'][$packageName]['version'])) {
176 return null;
178
179: return $installed['versions'][$packageName]['version'];
180 }
181
182: throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
183 }
186 * @param string $packageName
187: * @return string|null If the package is being replaced or provided but is not really installed, null will be returned as version, use satisfies or getVersionRanges if you need to know if a given version is present
188 */
190 {
191: foreach (self::getInstalled() as $installed) {
192: if (!isset($installed['versions'][$packageName])) {
193 continue;
195
196: if (!isset($installed['versions'][$packageName]['pretty_version'])) {
197 return null;
199
200: return $installed['versions'][$packageName]['pretty_version'];
201 }
202
203: throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
204 }
207 * @param string $packageName
208: * @return string|null If the package is being replaced or provided but is not really installed, null will be returned as reference
209 */
211 {
212: foreach (self::getInstalled() as $installed) {
213: if (!isset($installed['versions'][$packageName])) {
214 continue;
216
217: if (!isset($installed['versions'][$packageName]['reference'])) {
218 return null;
220
221: return $installed['versions'][$packageName]['reference'];
222 }
223
224: throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
225 }
228 * @param string $packageName
229: * @return string|null If the package is being replaced or provided but is not really installed, null will be returned as install path. Packages of type metapackages also have a null install path.
230 */
232 {
233: foreach (self::getInstalled() as $installed) {
234: if (!isset($installed['versions'][$packageName])) {
235 continue;
237
238: return isset($installed['versions'][$packageName]['install_path']) ? $installed['versions'][$packageName]['install_path'] : null;
239 }
240
241: throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
242 }
249 {
250: $installed = self::getInstalled();
251
252: return $installed[0]['root'];
253 }
255 /**
256: * Returns the raw installed.php data for custom implementations
257 *
265
266: if (null === self::$installed) {
267: // only require the installed.php file if this file is loaded from its dumped location,
268 // and not from its source location in the composer/composer package, see https://github.com/composer/composer/issues/9937
269 if (substr(__DIR__, -8, 1) !== 'C') {
270: self::$installed = include __DIR__ . '/installed.php';
271 } else {
272: self::$installed = array();
273 }
275
276: return self::$installed;
277 }
279 /**
280: * Returns the raw data of all installed.php which are currently loaded for custom implementations
281 *
286 {
287: return self::getInstalled();
288 }
294 * this class but then also needs to execute another project's autoloader in process,
295: * and wants to ensure both projects have access to their version of installed.php.
296 *
298 * the data it needs from this class, then call reload() with
299: * `require $CWD/vendor/composer/installed.php` (or similar) as input to make sure
300 * the project in which it runs can then also use this class safely, without
302 *
303: * @param array[] $data A vendor/composer/installed.php data set
304 * @return void
309 {
310: self::$installed = $data;
311: self::$installedByVendor = array();
312 }
317 */
318: private static function getInstalled()
319 {
323
324: $installed = array();
325
327 foreach (ClassLoader::getRegisteredLoaders() as $vendorDir => $loader) {
328: if (isset(self::$installedByVendor[$vendorDir])) {
329: $installed[] = self::$installedByVendor[$vendorDir];
330: } elseif (is_file($vendorDir.'/composer/installed.php')) {
331 /** @var array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>} $required */
332: $required = require $vendorDir.'/composer/installed.php';
333: $installed[] = self::$installedByVendor[$vendorDir] = $required;
334: if (null === self::$installed && strtr($vendorDir.'/composer', '\\', '/') === strtr(__DIR__, '\\', '/')) {
335: self::$installed = $installed[count($installed) - 1];
336 }
340
341: if (null === self::$installed) {
342: // only require the installed.php file if this file is loaded from its dumped location,
343 // and not from its source location in the composer/composer package, see https://github.com/composer/composer/issues/9937
345 /** @var array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>} $required */
346: $required = require __DIR__ . '/installed.php';
347: self::$installed = $required;
348 } else {
349: self::$installed = array();
350 }
352
353: if (self::$installed !== array()) {
354: $installed[] = self::$installed;
355 }
356
357: return $installed;
358 }
vendor/craftsys/msg91-laravel/README.md:
35
36: The packages is available on [Packagist](https://packagist.org/packages/craftsys/msg91-laravel) and can be installed via [Composer](https://getcomposer.org/) by executing following command in shell.
37
vendor/craftsys/msg91-php/README.md:
48
49: The packages is available on [Packagist](https://packagist.org/packages/craftsys/msg91-php) and can be installed via [Composer](https://getcomposer.org/) by executing following command in shell.
50
vendor/defuse/php-encryption/dist/Makefile:
1 # This builds defuse-crypto.phar. To run this Makefile, `box` and `composer`
2: # must be installed and in your $PATH. Run it from inside the dist/ directory.
3
vendor/defuse/php-encryption/docs/InternalDeveloperDocs.md:
14 Development is done on Linux. To run the tests, you will need to have the
15: following tools installed:
16
97
98: Once you have those tools installed and the key available follow these steps:
99
vendor/doctrine/common/docs/en/reference/class-loading.rst:
97 ``ClassLoader#loadClass`` to see how simple and efficient the class
98: loading is. The iteration over the installed class loaders happens
99 in C (with the exception of using ``ClassLoader::classExists``).
195 alternative exists for the cases in which you really want to ask
196: all installed class loaders whether they can load the class:
197 ``ClassLoader::classExists($className)``:
207 This static method can basically be used as a drop-in replacement
208: for class_exists(..., true). It iterates over all installed class
209 loaders and asks each of them via ``canLoadClass``, returning early
vendor/doctrine/common/src/ClassLoader.php:
25 * A <tt>ClassLoader</tt> is an autoloader for class files that can be
26: * installed on the SPL autoload stack. It is a class loader that either loads only classes
27 * of a specific namespace or all namespaces and it is suitable for working together
229 *
230: * Note that, depending on what kinds of autoloaders are installed on the SPL
231 * autoload stack, the class (file) might already be loaded as a result of checking
vendor/doctrine/dbal/src/Tools/Console/ConsoleRunner.php:
4
5: use Composer\InstalledVersions;
6 use Doctrine\DBAL\Tools\Console\Command\ReservedWordsCommand;
31 {
32: $version = InstalledVersions::getVersion('doctrine/dbal');
33 assert($version !== null);
vendor/doctrine/deprecations/lib/Doctrine/Deprecations/Deprecation.php:
113 *
114: * "Outside" means we assume that $package is currently installed as a
115 * dependency and the caller is not a file in that package. When $package
116: * is installed as a root package then deprecations triggered from the
117 * tests folder are also considered "outside".
vendor/dompdf/dompdf/README.md:
77
78: The [DejaVu TrueType fonts](https://dejavu-fonts.github.io/) have been pre-installed
79 to give dompdf decent Unicode character coverage by default. To use the DejaVu
vendor/dompdf/dompdf/lib/Cpdf.php:
5564 if (!function_exists("imagepng")) {
5565: throw new \Exception("The PHP GD extension is required, but is not installed.");
5566 }
5812 if (!function_exists("imagecreatefrompng")) {
5813: throw new \Exception("The PHP GD extension is required, but is not installed.");
5814 }
vendor/dompdf/dompdf/src/FontMetrics.php:
14 * This class provides information about fonts and text. It can resolve
15: * font names into actual installed font files, as well as determine the
16 * size of text in a particular font and size.
31 */
32: const USER_FONTS_FILE = "installed-fonts.json";
33
114 {
115: $file = $this->options->getRootDir() . "/lib/fonts/installed-fonts.dist.json";
116 $this->bundledFonts = json_decode(file_get_contents($file), true);
vendor/dompdf/dompdf/src/Helpers.php:
714 if (!function_exists("imagecreatetruecolor")) {
715: trigger_error("The PHP GD extension is required, but is not installed.", E_ERROR);
716 return false;
vendor/dompdf/dompdf/src/Renderer/AbstractRenderer.php:
283 if (!function_exists("imagecreatetruecolor")) {
284: throw new \Exception("The PHP GD extension is required, but is not installed.");
285 }
vendor/ezyang/htmlpurifier/library/HTMLPurifier/ConfigSchema/schema/Core.EnableIDNA.txt:
6 Allows international domain names in URLs. This configuration option
7: requires the PEAR Net_IDNA2 module to be installed. It operates by
8 punycoding any internationalized host names for maximum portability.
vendor/firebase/php-jwt/README.md:
19 Optionally, install the `paragonie/sodium_compat` package from composer if your
20: php is < 7.2 or does not have libsodium installed:
21
vendor/fzaninotto/faker/CHANGELOG.md:
34 - Enhancement: Clean up .gitattributes [\#1756](https://github.com/fzaninotto/Faker/pull/1756) ([localheinz](https://github.com/localheinz))
35: - Enhancement: Reference phpunit.xsd as installed with composer [\#1755](https://github.com/fzaninotto/Faker/pull/1755) ([localheinz](https://github.com/localheinz))
36 - add id\_ID Color [\#1754](https://github.com/fzaninotto/Faker/pull/1754) ([cacing69](https://github.com/cacing69))
321 - Fix: Do not pick a random float less than minimum [\#909](https://github.com/fzaninotto/Faker/pull/909) ([localheinz](https://github.com/localheinz))
322: - Fix: Prefer dependencies installed from dist [\#908](https://github.com/fzaninotto/Faker/pull/908) ([localheinz](https://github.com/localheinz))
323 - Add a building number with letter to German speaking locales. [\#903](https://github.com/fzaninotto/Faker/pull/903) ([markuspoerschke](https://github.com/markuspoerschke))
vendor/fzaninotto/faker/readme.md:
63 <?php
64: # When installed via composer
65 require_once 'vendor/autoload.php';
vendor/fzaninotto/faker/.github/workflows/continuous-integration.yml:
38
39: - name: "Cache dependencies installed with composer"
40 uses: "actions/cache@v1"
85
86: - name: "Cache dependencies installed with composer"
87 uses: "actions/cache@v1"
124
125: - name: "Cache dependencies installed with composer"
126 uses: "actions/cache@v1"
vendor/google/apiclient/README.md:
41 [installation instructions](https://getcomposer.org/doc/00-intro.md) if you do not already have
42: composer installed.
43
44: Once composer is installed, execute the following command in your project root to install this library:
45
384
385: When using [Refresh Tokens](https://developers.google.com/identity/protocols/OAuth2InstalledApp#offline) or [Service Account Credentials](https://developers.google.com/identity/protocols/OAuth2ServiceAccount#overview), it may be useful to perform some action when a new access token is granted. To do this, pass a callable to the `setTokenCallback` method on the client: