-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathConcepto.js
5477 lines (4918 loc) · 202 KB
/
Concepto.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Modalidades ontológicas, deónticas, etc...
import {WebSystemObject} from './WebSystemObject';
import {sinonimia_sp, palabras_sp} from './spanish_words';
import {kenji} from './spanish_kenji';
// Definición de base de conocimientos
// Todos heredan de sus sub-clases (nadie mas hereda directamente de concepto, está cerrado para uso interno):
class Concepto extends WebSystemObject {
// Un concepto es una representación o modelo mental de un objeto
// TIPOS DE CONCEPTOS
static ConceptoSingular = class extends Concepto {
// EN CUANTO SINGULARES, SE DIVIDEN DICOTÓMICAMENTE EN
// Conceptos de objetos concretos (ya sean clases, objetos o instancias)
static ObjetoConcreto = class extends Concepto.ConceptoSingular.ConceptoSingular {
// De los conceptos concretos:
// Hipótesis
static Hipotesis = class extends Concepto.ConceptoSingular.ObjetoConcreto {
};
// Tesis
static Tesis = class extends Concepto.ConceptoSingular.ObjetoConcreto {
};
};
// Conceptos abstractos ()
static ObjetoAbstracto = class extends Concepto.ConceptoSingular {
// De los conceptos abstractos:
// Un objeto analitico (de lo general a lo particular), por ejemplo el concepto de número, un modelo
static Analisis = class extends Concepto.ConceptoSingular.ObjetoAbstracto {
};
// Un objeto sintético o inducido (de lo particular a lo general), por ejemplo una foto, un valor o una cantidad, que no es lo mismo...
static Sintesis = class extends Concepto.ConceptoSingular.ObjetoAbstracto {
};
// Un objeto hipostático (abstracción que resulta de elevar una clase, relación o propiedad a calidad de objeto)
static Hipostasis = class extends Concepto.ConceptoSingular.ObjetoAbstracto {
// De los conceptos hipostáticos:
// Las propiedades
static Propiedad = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis {
/*
Las clases quedan descritas por las propiedades, es decir, lo que hace que una clase sea una clase, es la presencia
o ausencia de determinada propiedad. y la forma en que se establece el cumplimiento de esta propiedad es lo que hace
que la división de los conceptos sean dicótomos, especificadores, jerárquicos., etc.
*/
// De las propiedades (especiales), que representan comportamientos.
// los métodos que nos dicen cómo hacer algo, generalmente una función que puede o no (procedure ó void)
// devolver resultados, y que puede recibir parámetros.
static Method = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad {
// Y los eventos, que son métodos con la particularidad de que están orientados a que el usuarios los invoque, sino que
// se generan (disparan) ante determinadas situaciones (condiciones internas o relaciones externas) del objeto con otros.
static Evento = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method {
static EventoAleatorio = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method.Evento {
static solamenteimpredecible = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method.Evento.EventoAleatorio {
constructor() {
super(...arguments);
}
};
static solamenteIrrelevante = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method.Evento.EventoAleatorio {
constructor() {
super(...arguments);
}
};
static impredecibleIrrelevante = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method.Evento.EventoAleatorio {
constructor() {
super(...arguments);
}
};
constructor() {
super(...arguments);
}
};
static EventoNoAleatorio = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method.Evento {
static hechoNormal = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method.Evento.EventoNoAleatorio {
constructor() {
super(...arguments);
}
};
static ConsecuenciaDisipativa = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method.Evento.EventoNoAleatorio {
constructor() {
super(...arguments);
}
};
static VariableOculta = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Propiedad.Method.Evento.EventoNoAleatorio {
constructor() {
super(...arguments);
}
};
constructor() {
super(...arguments);
}
};
constructor(nombre, manipulador, condicion) {
super(nombre, manipulador.toString(), '');
this.nombre = nombre;
if (manipulador) {
this.manipulador = manipulador;
if (condicion) {
this.condicion = condicion;
}
}
}
handler(data, propagacion) { // virtual
/*
la variable o parámetro data contiene los datos que generaron el evento... por ejemplo, el código de la tecla que se oprimió.
Este es el manipulador (driver, chofer o handler) de la interrupción, es implementado por el usuario y es el que se ejecuta
cada vez que se genera la actividad, la variable propagación me dice si es fue primero en atender.
Y debe retornar true, para que se realice otra propagación... o false para que se termine la atención a la interrupción...
*/
}
perform(data, propagacion) {
if (this.manipulador) {
this.manipulador(data);
}
}
stopPropagation(target) {
target.stopPropagation();
}
};
constructor(nombre, codigo, parametros) {
super();
[this.nombre, this.codigo, this.parametros] = arguments;
}
};
};
// Las relaciones:
// Las relaciones se dividen en restricciones y condiciones
// Relaciones = Condiciones U Restricciones
static Relation = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis {
// Y en el límite de las clasificaciones, se encuentran las categorías...
// (Esto, entre otras cosas puede ayudar a evitar que la estructura de conceptos aumente desproporcionalmente, ver tipos de datos)
static Clase = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis {
};
static Condition = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation {
/* Definición de Condición.
Las condiciones reflejan la relación del objeto con los fenómenos que le rodean,
sin los cuales no puede existir, a diferencia de la causa, que engendra directamente
al objeto, la condición es el medio donde este puede surgir, las mismas pueden
definirse matemáticamente en forma de relaciones que pueden o no cumplirse,
mientras que las restricciones son relaciones que obligatoriamente han de hacerlo
o no, es decir, definen la forma en que el objeto se relaciona; mientras una de
ellas tiene forma inquisitiva la otra es imperativa; las condiciones y las
restricciones son, a mi entender, los dos tipos especiales de relaciones.
*/
// Un permiso
static Permission = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Condition {
static PermisoImplicito = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Condition.Permission {
};
static PermisoExplicito = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Condition.Permission {
constructor() {
super(...arguments);
this.base = arguments.length ? arguments[0] : 'Sin base legal';
}
};
};
constructor() {
super();
}
};
static Restriction = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation {
// Modalidades deónticas (outside Relation class)
// Polimórfica, debe heredar de Relation cuando se implemente
static DeonticModality = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Restriction {
static RestrictionRelation = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Restriction.DeonticModality {
};
static Prohibition = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Restriction.DeonticModality.RestrictionRelation {
};
static Obligation = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Restriction.DeonticModality.RestrictionRelation {
};
static PermissionRelation = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Restriction.DeonticModality {
};
static Alternative = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Restriction.DeonticModality.PermissionRelation {
};
static Option = class extends Concepto.ConceptoSingular.ObjetoAbstracto.Hipostasis.Relation.Restriction.DeonticModality.PermissionRelation {
};
constructor() {
super(...arguments);
}
};
constructor(name) {
super();
this.name = name;
}
};
// Relation constructor
constructor() {
super();
if (arguments.length > 0 && arguments[0] instanceof String) {
this.name = name;
} else if (arguments.length > 0 && arguments[0] instanceof Array) {
this.elementos = [].clone(arguments[0]);
}
}
};
// Una propiedad de las hipóstasis en cuanto abstracciones del pensamiento particular, es su alcance.
static alcancePrivado = 0;
static alcancePrivadoFinalizado = 1;
static alcancePublico = 2; // Que no es secreto, por ejemplo: no elaborado.
static alcancePublicado = 3; // Que se ha terminado
static alcanceComun = 3;
// Otras de las propiedades es el modo
static modoEstatico = 0;
static modoVirtual = 1;
// Otras de las propiedades es la implementación
static implementacionAbstracta = 0;
static implementacionConcreta = 1;
};
};
};
static ConceptoGeneral = class extends Concepto {
static Arreglo = class extends Concepto.ConceptoGeneral {
/**
* initialize MyArray
*
* in this case we'll use JavaScript built-in array
* we should probably try using an object next time
*/
data;
constructor(n) {
super();
if (!n) {
n = 0;
}
if (n instanceof Array) {
this.data = [].concat(n);
} else {
this.data = new Array(n); // number of elements
}
}
/**
* get o set the size/length of the array
*/
get length() {
return this.data.length;
}
set length(n) {
this.data.length = n;
}
/**
* get an item given its index on the array
* @param {number} index index of the item to get
* @return {any} the item found at the given index
*/
getValue(index) {
return this.data[index];
}
setValue(index, value) { // así debería funcionar.
this.data[index] = value;
return this.getValue(index); // porsia
}
/**
* adds an item onto the array
* @param {any} item
*/
add(item) {
this.length = this.length + 1;
this.data[this.length - 1] = item;
return this;
}
insert(item) {
this.add(item);
return this;
}
push(item) {
this.add(item);
return this;
}
/**
* removes an item value from the array
* @param {any} item item value
*/
remove(item) {
this.data = this.data.filter((data) => data !== item);
return this;
}
/**
* removes an indexed item from the array
* @param position
*/
removePosition(position) {
this.data = this.data.filter((data, index) => index !== position);
return this;
}
/**
* look for the given item in the array
* @param {any} item
* @return {number} the array index position of the item found
*/
search(item) {
const foundIndex = this.data.indexOf(item);
return foundIndex || null;
}
/**
* prints the contents of the array
* @return {any}
*/
log() {
// console.log(this.array.join(' '));
return this.data.join(' ');
}
// verdadero si este arreglo es igual a otro arreglo b, es decir, tienen los mismos elementos en ese orden.
isEqual(b) {
return this.data.length === b.length && this.data.every((d, i) => this.equals(d, b[i]));
}
/**
* Obtener un subarreglo en sus propios términos.
*/
subArray(start, end) {
const resultado = new Concepto.ConceptoGeneral.Arreglo(end - start + 1);
for (let i = start; i < end - start + 1; i++) {
resultado[i - start] = this.getValue(i);
}
return resultado;
}
miSubArray(start, end) {
return this.data.filter((v, i) => (start <= i) && (i <= end));
}
/**
* Convert to a real Array.
*/
toArray(start, end) {
const resultado = Array(end - start + 1);
for (let i = start; i < end - start + 1; i++) {
resultado[i - start] = this.getValue(i);
}
return resultado;
}
// Pasar todos los métodos de arreglo para el método arreglo y san se acabó
// que están preparados para las funciones de esta librería y tienen una
// pila de ventajas y validaciones...
esUnArregloOrdenado() {
// Solamente para definir funciones flecha, recuérdalo.
// Este determina si un arreglo está ordenado utilizando iteradores y es mucho + rápido.
// const isArraySorted = (array) => {
// return array.every((val, i, arr) => !i || (val >= arr[i - 1]));
// };
// return _array.every((val, i, arr) => !i || (val >= arr[i - 1]));
for (let i = 1; i < this.data.length; i++) {
if (this.data[i] < this.data[i - 1]) return false; // Hay un atraso
}
return true; // No hubo atraso
}
/**
* Binary Search implementation using iteration
* @param {string|number} target
* @return {number} the index of the found element
*/
busquedaBinaria(target) {
if (!this.esUnArregloOrdenado()) {
throw new Error('El arreglo provisto no está ordenado.');
}
let start = 0;
let end = this.data.length - 1;
while (start <= end) {
const mid = Math.floor((end - start) / 2) + start;
if (target < this.data[mid]) {
end = mid - 1;
} else if (target > this.data[mid]) {
start = mid + 1;
} else {
return mid;
}
}
return -1;
}
/**
* Linear Search implementation
* @param {string|number} target
* @return {number} the index of the found element
*/
busquedaLineal(target) {
let result = -1;
this.data.forEach((item, index) => {
if (target === item) result = index;
});
return result;
}
/**
* Binary Search implementation using recursion
* @param {string|number} target
* @return {number} the index of the found element
*/
busquedaBinariaRecursiva(target) {
if (!this.esUnArregloOrdenado()) {
throw new Error('El arreglo provisto no está ordenado.');
}
return (function recurse(start, end) {
let result = -1;
if (start > end) return result;
const mid = Math.floor((end - start) / 2) + start;
if (target === this._array[mid]) {
result = mid;
} else if (target < this._array[mid]) {
result = recurse(start, mid - 1);
} else {
result = recurse(mid + 1, end);
}
return result;
})(0, this.data.length - 1);
}
/**
* bubble sort implementation
* @return {array} sorted array
*/
ordenammientoBurbuja() {
this.data.forEach((item, index) => {
for (let i = 0; i < this.data.length - index - 1; i++) {
// we can either start at the beggining or finish of the arrays
// starting at the beggining, we compare the first two numbers
// together
if (this.data[i] > this.data[i + 1]) {
// after comparing them, if the number on the right is found
// to be smaller, the numbers will be swapped
const smaller = this.data[i + 1];
this.data[i + 1] = this.data[i];
this.data[i] = smaller; // swap in memoriam
}
// after the comparison is finished, the scales (our comparator,
// comparing two numbers at a time), move one position to the
// right i.e. we advance to the next index and the numbers are
// compared once again and this operation is repeated until the
// scales reach the end of the sequence/array
}
// The same above operations are repeated until all the numbers
// are fully sorted as evidenced by the use of our forEach
// array helper here.
});
// return the array as it is sorted by now
return this.data;
}
/**
* insertion sort implementation
* @return {array} sorted array
*/
ordenamientoInsercion() {
this.data.forEach((number, index) => {
// to begin, this algorithm considers the leftmost number fully sorted
let previousIndex = index - 1;
const temp = this.data[index];
// next, from the remaining numbers the leftmost number is taken out
// and compared to the already sorted number to its left
while (previousIndex >= 0 && this.data[previousIndex] > temp) {
// if the already sorted number is larger, the two numbers swap
this.data[previousIndex + 1] = this.data[previousIndex];
previousIndex--;
}
// the above operation repeats until either a number smaller
// appears, or the number reaches the left edge
this.data[previousIndex + 1] = temp;
});
return this.data;
}
/**
* utility function that merges and sorts two arrays
* @param {array} left
* @param {array} right
* @return {array} the merged sorted array
*/
merge(left, right) {
const results = [];
// when being combined, each group's numbers are arranged so that
// they are ordered from smallest to largest after combination
// when groups with multiple numbers are combined, the first
// numbers are compared
while (left.length && right.length) {
if (left[0] < right[0]) {
results.push(left.shift());
} else {
results.push(right.shift());
}
}
return [...results, ...left, ...right];
}
/**
* merge sort implementation
* @return {array} sorted array
*/
ordenamientoMerge() {
if (this.data.length <= 1) return this.data;
// first, the sequence/array is divided further and further into halves
// in our algorithm, the divisions are done via recursion i.e. calling
// this function over and over again until the divisions are complete
const middle = Math.floor(this.data.length / 2);
const left = this.data.slice(0, middle);
const right = this.data.slice(middle);
// next, the divided groups are combined using our helper merge function
// also, the combining of groups is repeated recursively until all numbers
// form one group
return merge(mergeSort(left), mergeSort(right));
}
/**
* simple quick sort implementation (pivot is the first element of the array)
* @return {array} sorted array
*/
ordenamientoSimpleQuickSort() {
// one characteristics of quicksort is that it involves fewer
// comparisons and swaps than other algorithms, so it's able
// to sort quickly in many cases
// let's start. the first operation targets the entire
// array/sequence of numbers.
// if array has less than or equal to one elements
// then it is already sorted.
if (this.data.length < 2) return this.data;
// initialize left and right arrays
const left = [];
const right = [];
// a number is chosen as a reference for sorting
// this number is called the "pivot"
// the pivot is normally a number chosen at random but, this time,
// for convinience, the leftmost number will be chosen as the pivot
// take the first element of the array as the pivot
const pivot = this.data.shift();
this.data.forEach((number, index) => {
if (this.data[index] < pivot) {
left.push(this.data[index]);
} else {
right.push(this.data[index]);
}
});
// return [...simpleQuickSort(left), pivot, ...simpleQuickSort(right)];
return this.ordenamientoSimpleQuickSort(left).concat(pivot, ordenamientoSimpleQuickSort(right));
}
/**
* swap helper function
* @param {number} i
* @param {number} j
* @return {void}
*/
swap(i, j) {
if (this.isNumber(this.data[i]) && this.isNumber(this.data[j])) {
// depend of processor capacity
this.data[i] = this.data[i] + this.data[j];
this.data[j] = this.data[i] - this.data[j];
this.data[i] = this.data[i] - this.data[j];
} else {
// depend of memory capacity
const temp = this.data[i];
this.data[i] = this.data[j];
this.data[j] = temp;
}
}
/**
* lomuto partition scheme, it is less efficient than the Hoare partition scheme
* @param {number} left leftmost index
* @param {number} right rightmost index
* @return {number} the pivot element
*/
partitionLomuto(left, right) {
let i = left;
let j = left;
for (j; j < right; j++) {
if (this.data[j] <= this.data[right]) {
this.swap(i, j);
i += 1;
}
}
this.swap(i, j);
return i;
}
/**
* hoare partition scheme, it is more efficient than the
* lomuto partition scheme because it does three times
* fewer swaps on average
* @param {number} left leftmost index
* @param {number} right rightmost index
* @return {number} the pivot element
*/
partitionHoare(left, right) {
const pivot = Math.floor((left + right) / 2);
while (left <= right) {
while (this.data[left] < this.data[pivot]) left++;
while (this.data[right] > this.data[pivot]) right--;
if (left <= right) {
this.swap(left, right);
left++;
right--;
}
}
return left;
}
/**
* classic implementation (with hoare or lomuto partition scheme)
* @param {number} left leftmost index
* @param {number} right rightmost index
* @return {array} sorted array
*/
ordenamientoQuickSort(left = 0, right = array.length - 1) {
const pivot = partitionHoare(left, right);
if (left < pivot - 1) quickSort(left, pivot - 1);
if (right > pivot) quickSort(pivot, right);
return this.data;
}
/**
* selection sort implementation
* @return {array} sorted array
*/
ordenamientoSeleccion() {
this.data.forEach((number, index) => {
let indexOfMin = index;
// using linear search, the smallest value's index
// in the sequesnce is located. we can replace this
// for loop block with the linear search algorithm
// written elsewhere in this repo
for (let j = index + 1; j < this.data.length; j++) {
if (this.data[j] < this.data[indexOfMin]) indexOfMin = j;
}
// if the smallest value happens to already be in the
// leftmost position, no operation is carried out
if (indexOfMin !== index) {
const lesser = this.data[indexOfMin];
// the smallest value swaps with the leftmost
// number and is considered fully sorted
this.data[indexOfMin] = this.data[index];
this.data[index] = lesser;
}
// the same above operation is repeated until all
// the numbers are fully sorted as evidence by
// our forEach array helper
});
// sorting is complete
// return the array
return this.data;
}
/**
* shell sort implementation
*
* can be seen as either a generalization of sorting
* by exchange (bubble sort) or sorting by insertion (insertion sort)
* the method starts by sorting pairs of elements far apart from each
* other, then progressively reducing the gap between elements to be compared
*
* @return {array} sorted array
*/
ordenamientoShell() {
// our intervals
const GAPS = [500, 240, 128, 54, 26, 9, 4, 1];
GAPS.forEach((gap) => {
for (let index = gap; index < this.data.length; index++) {
let j = index;
const temp = this.data[index];
for (j; j >= gap && this.data[j - gap] > temp; j -= gap) {
this.data[j] = this.data[j - gap];
}
this.data[j] = temp;
}
});
return this.data;
}
_cartesianProduct(sets, index, current) {
const result = [];
if (index === sets.length) {
return result.push(current.slice());
}
for (let i = 0; i < sets[index].length; i += 1) {
current[index] = sets[index][i];
this._cartesianProduct(sets, index + 1, current);
}
}
/**
* Calculates Cartesian product of provided sets.
*
**/
productoCartesiano() {
const result = [];
this._cartesianProduct(this.data, 0, []);
return result;
}
// posición del valor mínimo
minimo() {
let minimo = 0;
for (let k = 1; k < this.data.length; k++) {
if (this.data[k] < this.data[minimo]) {
minimo = k;
}
}
return minimo;
}
// posición del valor máximo
maximo() {
let maximo = 0;
for (let k = 1; k < this.data.length; k++) {
if (this.data[k] > this.data[maximo]) {
maximo = k;
}
}
return maximo;
}
// suma de todos los elementos
total() {
let result = 0;
for (let k = 0; k < this.data.length; k++) {
result += this.data[k];
}
return result;
}
// promedio
media() {
return this.total() / this.data.length;
}
// mcd
mcd(eps = this.epsilon) {
let result;
this.data.forEach((element, i) => {
if (i === 0) {
result = element;
} else {
result = this.euclides(result, element, eps);
}
});
return result;
}
// clonar
clone() {
const resultado = new Concepto.ConceptoGeneral.Arreglo(this.data.count);
resultado._array = [].concat(this.data);
return resultado;
}
// contar (so a...)
count(predicate = (a) => a === a) {
let resultado = 0;
this.data.forEach((element) => {
if (predicate(element)) {
resultado++;
}
});
return resultado;
}
// contar los elementos mayores que él.
contarMayores(el) {
return this.count((x) => x > el);
}
// contar los elementos mayores que el
contarMenores(el) {
return this.count((x) => x < el);
}
// moda (elemento que mas aparece)
moda() {
const conteos = new Concepto.ConceptoGeneral.Arreglo(this.length);
for (let k = 0; k < s.length; k++) {
conteos[k] = this.count(this.getValue[k]);
}
return this.getValue[conteos.maximo()];
}
// moda (elemento no nulo del conjunto que menos aparece)
antiModa() {
const conteos = new Concepto.ConceptoGeneral.Arreglo(this.length);
for (let k = 0; k < s.length; k++) {
conteos[k] = this.count(this.getValue[k]);
}
return this.getValue[conteos.minimo()];
}
// elemento que tiene la misma cantidad por arriba que por abajo
mediana() {
for (let k = 0; k < s.length; k++) {
if (this.contarMayores(this.getValue[k]) === this.contarMenores(this.getValue[k])) {
return this.getValue[k];
}
}
return this.media();
}
probabilidad(el) {
return this.count(el) / this.length;
}
// cantidad de elementos diferentes entre sí, del arreglo (revisar)
universo() {
const chequeado = new Concepto.ConceptoGeneral.Arreglo(this.length);
for (let k = 0; k < s.length; k++) {
chequeado[k] = false;
}
for (let k = 0; k < s.length - 1; k++) {
for (let l = k + 1; l < s.length; l++) {
if ((!chequeado.getValue[k]) && (this.count(this.getValue[l]) > 0)) {
chequeado.getValue[k] = true;
}
}
}
return this.count(true);
}
desviaciones(ref) {
const resultado = new Concepto.ConceptoGeneral.Arreglo(this.length);
for (let k = 0; k < s.length; k++) {
resultado[k] = this.getValue[k] - ref;
}
return resultado;
}
// Propiedad 1: la suma de las desviaciones con respecto a la media debe ser cero
// Propiedad 2: la suma de los cuadrados de las desviaciones con respecto a la media debe ser cero
varianza() {
const cuadDes = this.desviaciones(this.media());
for (let k = 0; k < s.length; k++) {
cuadDes[k] = cuadDes[k] * cuadDes[k];
}
return cuadDes.media();
}
// Incluir el cálculo de la covarianza, que es el grado de variación conjunta de dos variables aleatorias respecto a sus medias.
// //Es el dato básico para determinar si existe una dependencia entre ambas variables y además es el dato necesario para estimar otros parámetros básicos
// function covarianza(cx, cy) {
// return (productoEscalar(cx, cy)/cx.length) - (meanValue(cx)*meanValue(cy));
// }
// Propiedad 1: La varianza siempre es un número no negativo (mayor o igual que cero)
// Propiedad 2: Un conjunto de valores todos iguales tiene varianza cero
// Propiedad 3: Si a cada valor del arreglo se le suma o se le resta una constante, la varianza se mantiene igual
// Propiedad 4: Si cada valor del arreglo se multiplica por una constante, la varianza se multiplica
desviacionTipica() {
return Math.sqrt(this.varianza());
}
// Propiedad 1: La desviación típica siempre en un número no negativo
// Propiedad 2: La desviación típica de un conjunto de elementos todos es cero
// Propiedad 3: Si a cada valor del arreglo se le suma o se le resta una constante, la desviación típica se mantiene igual
// Propiedad 4: Si cada valor del arreglo se multiplica por una constante, la la desviación se multiplica por su módulo (valor absoluto)
// Momentos de Pearson
momento(orden, ref) {
const resultado = new Concepto.ConceptoGeneral.Arreglo(this.length);
for (let k = 0; k < s.length; k++) {
resultado[k] = Math.pow(this.getValue[k] - ref, orden);
}
return resultado.media();
}
// returns ascendant or descendant sorted array.
ascendantSort() {
return this.data.sort((a, b) => a - b);
}
descendantSort() {
return this.data.sort((a, b) => b - a);
}
nearestSort(x) {
return this.data.sort((a, b) => Math.abs(a - x) - Math.abs(x - b));
}
farestSort(x) {
return this.data.sort((a, b) => Math.abs(x - a) - Math.abs(b - x));
}
// Los dos primeros momentos son 0 y s²
// Implementar concatenar con otro arreglo, contar apariciones, eliminar repetidos, etc...
// Implementar crear conjunto
// Implementar las interfaces join y split para cadenas...
// The faster knapsack solution (mochila unidimensional)... v1.0
// @author: ®2021 Luis Guillermo Bultet Ibles
// @sample: knapsack(100, [{name: "calabazas", price: 1.75, weigh: 3}, {name: "yucas", price: 5.50, weigh: 1}, {name: "pepinos", price: 3.25, weigh: 1}])
knapsack(capability) {
const reOrdered = this.data.sort((a, b) => {
if ((a.price / a.weigh) > (b.price / b.weigh)) {
return 1;
} else if ((a.price / a.weigh) < (b.price / b.weigh)) {
return -1;
}
if (a.weigh > b.weigh) {
return -1;
} else if (a.weigh < b.weigh) {
return 1;
}
return 0;
});
const theResult = [];
let remainingCamability = capability;
let quantity = 0;
for (let i = 0; i < reOrdered.length; i++) {
if (remainingCamability >= reOrdered[i].weigh) {
quantity = Math.trunc(remainingCamability / reOrdered[i].weigh);