-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathTienda.js
1492 lines (1345 loc) · 51.1 KB
/
Tienda.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
// 🌺 Ecmascript Store, Tienda (spanish version): B & U "Limited Time Edition"
class Tienda {
static Producto = class {
static categories = {
clothingAndAccessories: 'Ropa y accesorios',
beautyAndPersonalCare: 'Belleza y cuidado personal',
homeAndDecor: 'Hogar y decoración',
electronics: 'Electrónica',
sportsAndOutdoors: 'Deportes y actividades al aire libre',
toysAndEntertainment: 'Juguetes y entretenimiento',
foodAndBeverages: 'Alimentos y bebidas',
automotive: 'Automóvil y motocicleta',
pets: 'Mascotas',
healthAndWellness: 'Salud y bienestar',
};
// // Muestra
static productsData = {
clothingAndAccessories: [
{name: 'Camiseta', contact: 'proveedorA', cost: 10, price: 20},
{name: 'Pantalón', contact: 'proveedorB', cost: 20, price: 40},
// otros productos de ropa y accesorios
],
beautyAndPersonalCare: [
{name: 'Cepillo de dientes', contact: 'proveedorC', cost: 2, price: 4},
{name: 'Champú', contact: 'proveedorD', cost: 5, price: 10},
// otros productos de belleza y cuidado personal
],
homeAndDecor: [
{name: 'Mesa de centro', contact: 'proveedorE', cost: 50, price: 100},
{name: 'Lámpara', contact: 'proveedorF', cost: 20, price: 40},
// otros productos de hogar y decoración
],
electronics: [
{name: 'Televisor', contact: 'proveedorG', cost: 300, price: 400},
{name: 'Laptop', contact: 'proveedorH', cost: 600, price: 800},
// otros productos de electrónica
],
sportsAndOutdoors: [
{name: 'Bicicleta', contact: 'proveedorI', cost: 200, price: 300},
{name: 'Raqueta de tenis', contact: 'proveedorJ', cost: 50, price: 80},
// otros productos de deportes y actividades al aire libre
],
toysAndEntertainment: [
{name: 'Juguete', contact: 'proveedorK', cost: 5, price: 10},
{name: 'Videojuego', contact: 'proveedorL', cost: 30, price: 50},
// otros productos de juguetes y entretenimiento
],
foodAndBeverages: [
{name: 'Café', contact: 'proveedorM', cost: 5, price: 8},
{name: 'Té', contact: 'proveedorN', cost: 3, price: 6},
// otros productos de alimentos y bebidas
],
automotive: [
{name: 'Aceite de motor', contact: 'proveedorO', cost: 5, price: 10},
{name: 'Neumático', contact: 'proveedorP', cost: 50, price: 80},
// otros productos de automóvil y motocicleta
],
pets: [
{name: 'Comida para perros', contact: 'proveedorQ', cost: 8, price: 15},
{name: 'Comida para gatos', contact: 'proveedorR', cost: 8, price: 15},
// otros productos de mascotas
],
healthAndWellness: [
{
name: 'Suplemento vitamínico',
contact: 'proveedorS',
cost: 20,
price: 30,
},
{name: 'Crema hidratante', contact: 'proveedorT', cost: 10, price: 20},
// otros productos de salud y bienestar
],
};
constructor(tienda, nombre, categoria, ubicacion, fechaVencimiento, contact, cost, precio, foto, cantidad, disponibleSubasta = false, disponiblePrestamo = false, disponibleAlquiler = false) {
this.tienda = tienda;
this.nombre = nombre;
this.categoria = categoria;
this.ubicacion = ubicacion;
this.fechaVencimiento = fechaVencimiento;
this.contact = contact;
this.costo = cost;
this.precio = precio;
this.foto = foto;
this.cantidad = cantidad;
this.disponibleSubasta = disponibleSubasta;
this.disponiblePrestamo = disponiblePrestamo;
this.disponibleAlquiler = disponibleAlquiler;
this.aptoParaLaVenta = true; // ¿Ha pasado todas las inspecciones?
this.agregarProducto(this);
}
agregarProductoData() { // demo sobre la muestra
for (const category in productsData) {
for (const productData of productsData[category]) {
const product = new Product(this.tienda, productData.name, category, '', '', productData.contact, productData.cost, productData.price);
products.push(product);
}
}
// Mostrar información de los productos
for (const product of products) {
console.log(product.getInfo());
}
}
getInfo() { // demo
return `${this.name} (${Product.categories[this.category]}) - Precio de compra: $${this.cost} USD, Precio de venta: $${this.price} USD, Contacto: ${this.contact}`;
}
get inventario() {
return this.tienda.productos;
}
agregarProducto(producto) {
if (!producto.nombre || typeof producto.nombre !== 'string') {
throw new Error('El producto debe tener un nombre válido');
}
if (!producto.precio || typeof producto.precio !== 'number' || producto.precio <= 0) {
throw new Error('El producto debe tener un precio válido');
}
if (!producto.cantidad || typeof producto.cantidad !== 'number' || producto.cantidad <= 0) {
throw new Error('El producto debe tener una cantidad válida');
}
const productoEnInventario = this.inventario.find((p) => p.nombre === producto.nombre);
if (productoEnInventario) {
productoEnInventario.cantidad += producto.cantidad;
} else {
this.inventario.push({
...producto,
cantidad,
});
}
}
buscarProducto(propiedad, valor) {
for (const nombreProducto in this.inventario) {
if (this.inventario.hasOwnProperty(nombreProducto)) {
const producto = this.inventario[nombreProducto];
if (producto[propiedad] === valor) {
return producto;
}
}
}
return null; // si no se encuentra el producto
}
cancelarCompra(nombre, cantidad) {
const producto = this.buscarProducto('nombre', nombre);
if (!producto) {
throw new Error(`El producto '${nombre}' no está disponible`);
}
producto.cantidad += cantidad;
const transaccionIndex = this.transacciones.findIndex((t) => t.nombreProducto === nombre && t.cantidad === cantidad);
if (transaccionIndex !== -1) {
this.transacciones.splice(transaccionIndex, 1);
}
}
listarTransacciones() {
for (const transaccion of this.transacciones) {
console.log(`${transaccion.nombreProducto} - ${transaccion.cantidad} unidades - $${transaccion.precio} cada una - Fecha: ${transaccion.fecha}`);
}
}
cantidadTotalVendida() {
let cantidadTotal = 0;
for (const transaccion of this.transacciones) {
cantidadTotal += transaccion.cantidad;
}
return cantidadTotal;
}
listarInventario() {
for (const nombreProducto in this.inventario) {
if (this.inventario.hasOwnProperty(nombreProducto)) {
const producto = this.inventario[nombreProducto];
console.log(`${producto.nombre} - $${producto.precio} - ${producto.cantidad} en stock`);
}
}
}
productosAgotados() {
const productosAgotados = [];
for (const nombreProducto in this.inventario) {
if (this.inventario.hasOwnProperty(nombreProducto)) {
const producto = this.inventario[nombreProducto];
if (producto.cantidad === 0) {
productosAgotados.push(producto.nombre);
}
}
}
return productosAgotados;
}
eliminarProducto(nombre) {
if (!this.inventario[nombre]) {
throw new Error(`El producto '${nombre}' no está en el inventario.`);
}
delete this.inventario[nombre];
}
actualizarProducto(nombre, propiedad, valor) {
const producto = this.buscarProducto('nombre', nombre);
if (!producto) {
throw new Error(`El producto '${nombre}' no está en el inventario`);
}
producto[propiedad] = valor;
}
revisarProducto(producto) {
// Lógica para revisar si el producto está disponible en el almacén
// y actualizar las existencias si es necesario
}
// Método para registrar una compra
registrarCompra(producto, precio) {
this.inventario.push(producto);
this.ganancias -= precio;
}
// Método para realizar un trueque
// Método para realizar un trueque
realizarTrueque(producto1, producto2, valoracion1, valoracion2, efectivo = 0) {
const index1 = this.inventario.indexOf(producto1);
const index2 = this.inventario.indexOf(producto2);
if (index1 !== -1 && index2 !== -1) {
const valorTotal = producto1.precio * valoracion1 + producto2.precio * valoracion2;
const comision = 0.1 * valorTotal;
const tarifaFija = 5;
const cambio = efectivo - valorTotal - comision - tarifaFija;
if (cambio >= 0) {
this.inventario.splice(index1, 1, producto2);
this.inventario.splice(index2, 1, producto1);
if (!this.trueques) {
this.trueques = [];
}
this.trueques.push({producto1, producto2, valoracion1, valoracion2});
this.tienda.ventas.push({
nombre: 'Comisión',
precio: comision,
importe: comision,
});
this.tienda.ventas.push({
nombre: 'Tarifa de trueque',
precio: tarifaFija,
importe: tarifaFija,
});
this.registrarCompra(producto1, producto1.precio * valoracion2);
this.registrarCompra(producto2, producto2.precio * valoracion1);
return cambio;
}
}
return false;
}
// Método para establecer las políticas de préstamo y valores para los productos
establecerPoliticas(politicas) {
this.politicas = politicas;
}
// Método para verificar si un producto ha sido devuelto a tiempo
verificarDevolucion(producto) {
const politicas = this.politicas || {
tiempoPrestamo: 7,
valorProducto: 100,
};
const index = this.ventas.findIndex(venta => venta.producto === producto);
if (index !== -1) {
const fechaVenta = this.ventas[index].fecha;
const fechaDevolucion = new Date();
const diasPrestamo = (fechaDevolucion - fechaVenta) / (1000 * 60 * 60 * 24);
const valorProducto = politicas.valorProducto || 100;
if (diasPrestamo > politicas.tiempoPrestamo) {
this.ganancias += 0.1 * valorProducto;
console.log(`Se ha cobrado una multa del 10% por devolución tardía de ${producto}`);
}
this.ventas.splice(index, 1);
}
}
// Lógica de una venta de un producto.
async comprarProducto(nombre, cantidad, montoEntregado, esPagoConTarjeta = false) {
const producto = this.buscarProducto('nombre', nombre);
if (!producto) {
throw new Error(`El producto '${nombre}' no está disponible`);
}
if (producto.cantidad < cantidad) {
throw new Error(`No hay suficiente cantidad de '${nombre}' en el inventario`);
}
// productoEnInventario.cantidad -= cantidad;
const venta = {
producto,
cantidad,
precio: producto.precio,
pago: 'En efectivo',
montoRecibido: montoEntregado,
vuelto: 0,
};
const montoTotal = venta.precio * venta.cantidad;
if (esPagoConTarjeta) {
if (!this.paypal) {
this.paypal = Tienda.CobrosPagos('apikey', 'id', 'secret');
}
await this.paypal.pagarConTarjeta(venta.precio * venta.cantidad);
venta.pago = `A crédito: ${this.nombreTarjeta}-${this.numeroTarjeta}`;
this.ventas.push(venta);
} else {
venta.pago = `Al cash, (${montoEntregado} en efectivo)`;
if (montoEntregado < montoTotal) {
console.error(`El monto recibido (${montoEntregado}) es menor al monto total de la venta (${montoTotal}).`);
return;
}
venta.vuelto = montoEntregado - montoTotal;
producto.cantidad -= cantidad;
this.tienda.efectivo += producto.precio * cantidad; // agregar el ingreso al total de ventas
}
this.transacciones.push({
nombreProducto: nombre,
cantidad: cantidad,
precio: producto.precio,
importe: montoTotal,
fecha: new Date().toISOString(),
vuelto: venta.vuelto,
pago: 'En efectivo',
});
this.efectivo += montoTotal;
this.ventas.push(venta);
}
devolverProducto(producto, cantidad) {
// Lógica para procesar la devolución de un producto debido a una inconformidad
// dentro de la garantía y actualizar las existencias y las cuentas correspondientes
}
};
static Dependiente = class {
constructor(tienda, nombre, ventas, salidas) {
this.tienda = tienda;
this.nombre = nombre;
this.ventas = ventas;
this.salidas = salidas;
this.tienda.agregarDependiente(this);
}
};
// Esta es una clase básica para el mostrador no es un carrito de compras...
// Si quieres implementar alguno, hay uno bueno en:
// https://programadorwebvalencia.com/amp/javascript-ejemplo-carrito-de-compra/
// Y otro en:
//
static Mostrador = class {
constructor(tienda) {
this.tienda = tienda;
this.productos = this.tienda.productos;
}
agregarProducto(producto, cantidad) {
const productoEnMostrador = this.productos.find((p) => p.producto.nombre === producto.nombre);
if (productoEnMostrador) {
productoEnMostrador.cantidad += cantidad;
} else {
this.productos.push({producto, cantidad});
}
}
eliminarProducto(producto) {
const index = this.productos.findIndex((p) => p.producto.nombre === producto.nombre);
if (index !== -1) {
this.productos.splice(index, 1);
}
}
mostrarMostrador() {
const mostradorHTML = `
<html>
<head>
<title>Mostrador de Productos</title>
<style>
.slider {
-webkit-appearance: none;
width: 100%;
height: 15px;
border-radius: 5px;
background: #ddd;
outline: none;
opacity: 0.7;
-webkit-transition: .2s;
transition: opacity .2s;
}
.slider:hover {
opacity: 1;
}
.slider::-webkit-slider-thumb {
-webkit-appearance: none;
appearance: none;
width: 15px;
height: 15px;
border-radius: 50%;
background: #4CAF50;
cursor: pointer;
}
.slider::-moz-range-thumb {
width: 15px;
height: 15px;
border-radius: 50%;
background: #4CAF50;
cursor: pointer;
}
</style>
</head>
<body>
<h1>Mostrador de Productos</h1>
<form>
<table>
<thead>
<tr>
<th>Producto</th>
<th>Precio unitario</th>
<th>Cantidad</th>
<th>Precio total</th>
<th>Imagen</th>
<th></th>
</tr>
</thead>
<tbody>
${this.productos.map((p) => `
<tr>
<td>${p.producto.nombre}</td>
<td>${p.producto.precio}</td>
<td><input type="range" class="slider" min="0" max="100" value="${p.cantidad}" step="0.1"></td>
<td>${p.producto.precio * p.cantidad}</td>
<td><img src="${p.producto.foto}" alt="${p.producto.nombre}" width="100"></td>
<td><input type="checkbox" name="eliminar" value="${p.producto.nombre}"></td>
</tr>
`).join('')}
</tbody>
<tfoot>
<tr>
<td colspan="3"><strong>Total</strong></td>
<td>${this.productos.reduce((total, p) => total + p.producto.precio * p.cantidad, 0)}</td>
<td></td>
<td>
<input type="submit" value="Actualizar">
<button type="button" onclick="window.close()">Cerrar compra</button>
<button type="button" onclick="window.close()">Cancelar</button>
</td>
</tr>
</tfoot>
</table>
</form>
</body>
</html>
`;
const ventanaMostrador = window.open('', '_blank');
ventanaMostrador.document.write(mostradorHTML);
ventanaMostrador.document.close();
const form = ventanaMostrador.document.querySelector('form');
form.addEventListener('submit', (event) => {
event.preventDefault();
const checkboxes = form.querySelectorAll('input[type="checkbox"]');
checkboxes.forEach((checkbox) => {
if (checkbox.checked) {
const producto = this.productos.find((p) => p.producto.nombre === checkbox.value);
this.eliminarProducto(producto.producto);
}
});
const sliders = form.querySelectorAll('.slider');
sliders.forEach((slider) => {
const producto = this.productos.find((p) => p.producto.nombre === slider.parentElement.previousElementSibling.previousElementSibling.textContent);
producto.cantidad = parseFloat(slider.value);
});
this.mostrarMostrador();
});
}
};
static Subasta = class {
constructor(tienda, producto, valorInicial) {
this.tienda = tienda;
this.producto = producto;
this.valorInicial = producto.precio;
this.propuestas = [];
this.vendido = false;
this.comprador = null;
this.mejorOferta = valorInicial;
}
hacerPropuesta(comprador, oferta) {
if (oferta <= this.mejorOferta || this.vendido) {
// Si la oferta es menor o igual que la mejor oferta actual, o si el producto ya se vendió, no se acepta la propuesta
return false;
}
this.propuestas.push({comprador, oferta});
this.mejorOferta = oferta;
return true;
}
finalizarSubasta() {
if (this.propuestas.length === 0) {
// Si no hubo propuestas, el producto no se vendió
return false;
}
// Seleccionamos al comprador con la mejor oferta
const mejorPropuesta = this.propuestas.reduce((mejor, actual) => {
return actual.oferta > mejor.oferta ? actual : mejor;
});
this.comprador = mejorPropuesta.comprador;
this.vendido = true;
return true;
}
obtenerGanador() {
if (!this.vendido) {
return null;
}
return this.comprador;
}
obtenerMejorOferta() {
return this.mejorOferta;
}
estaVendido() {
return this.vendido;
}
};
static Alquiler = class {
constructor(tienda, producto, fechaTope, valorPorTiempo, garantia = producto.precio) {
this.tienda = tienda;
this.producto = producto;
this.fechaTope = fechaTope;
this.garantia = garantia;
this.valorPorTiempo = valorPorTiempo;
this.prestado = false;
this.fechaPrestamo = new Date();
this.fechaDevolucion = fechaTope;
this.valorTotal = producto.precio;
this.ganancia = producto.precio;
}
prestar(fecha) {
if (this.prestado) {
// Si el producto ya está prestado, no se puede prestar de nuevo
return false;
}
this.prestado = true;
this.fechaPrestamo = fecha;
return true;
}
devolver(fecha) {
if (!this.prestado) {
// Si el producto no está prestado, no se puede devolver
return false;
}
this.prestado = false;
this.fechaDevolucion = fecha;
// Calculamos el valor total del préstamo y la ganancia
const tiempoPrestamo = Math.ceil((this.fechaDevolucion.getTime() - this.fechaPrestamo.getTime()) / (1000 * 60 * 60 * 24));
this.valorTotal = tiempoPrestamo * this.valorPorTiempo;
this.ganancia = this.valorTotal - this.garantia;
// Verificamos si el préstamo se devolvió en el tiempo acordado
if (this.fechaDevolucion > this.fechaTope) {
// Si se pasó de la fecha tope, se penaliza restando la garantía del valor total
this.valorTotal -= this.garantia;
}
return true;
}
obtenerGanancia() {
return this.ganancia;
}
obtenerValorTotal() {
return this.valorTotal;
}
obtenerGarantia() {
return this.garantia;
}
obtenerFechaPrestamo() {
return this.fechaPrestamo;
}
obtenerFechaDevolucion() {
return this.fechaDevolucion;
}
estaPrestado() {
return this.prestado;
}
};
static Venta = class {
constructor(tienda, productos, hora, unidades, dependiente, formaDePago, comprador = null) {
this.tienda = tienda;
this.productos = productos; // Múltiples
this.hora = hora; // Hora de venta
this.unidades = unidades; // Cantidad de unidades vendidas
this.dependiente = dependiente; // Nombre del dependiente que realizó la venta
this.formaDePago = formaDePago; // Forma de pago (por ejemplo: efectivo, tarjeta de crédito)
this.comprador = comprador; // Información del comprador (por ejemplo: nombre, tarjeta de crédito, carnet de identidad)
this.total = productos.reduce((total, p) => total + p.precio, 0);
}
generarComprobante() {
const comprobanteHTML = `
<html>
<head>
<title>Comprobante de Venta</title>
</head>
<body>
<h1>Comprobante de Venta</h1>
<table>
<thead>
<tr>
<th>Producto</th>
<th>Precio</th>
</tr>
</thead>
<tbody>
${this.productos.map((p) => `
<tr>
<td>${p.nombre}</td>
<td>${p.precio}</td>
</tr>
`).join('')}
</tbody>
<tfoot>
<tr>
<td><strong>Total</strong></td>
<td><strong>${this.total}</strong></td>
</tr>
<tr>
<td><strong>Hora de venta</strong></td>
<td>${this.hora}</td>
</tr>
<tr>
<td><strong>Unidades vendidas</strong></td>
<td>${this.unidades}</td>
</tr>
<tr>
<td><strong>Dependiente</strong></td>
<td>${this.dependiente}</td>
</tr>
<tr>
<td><strong>Comprador</strong></td>
<td>${this.comprador}</td>
</tr>
</tfoot>
</table>
</body>
</html>
`;
const ventanaComprobante = window.open('', '_blank');
ventanaComprobante.document.write(comprobanteHTML);
ventanaComprobante.document.close();
}
// Resto del código igual que en la implementación anterior
};
static Probador = class {
static Prenda = class {
constructor(probador, nombre, imagen, transform, rotacion) {
this.probabor = probador;
this.nombre = nombre;
this.imagen = imagen;
this.transform = 0;
this.rotacion = 0;
}
};
constructor(tienda) {
this.tienda = tienda;
this.prendas = [];
}
agregarPrenda(prenda) {
this.prendas.push(prenda);
}
quitarPrenda(prenda) {
const index = this.prendas.findIndex((p) => p.nombre === prenda.nombre);
if (index !== -1) {
this.prendas.splice(index, 1);
}
}
mostrarProbador() {
const probadorHTML = `
<html>
<head>
<title>Probador Virtual</title>
<style>
#probador {
width: 400px;
height: 600px;
border: 1px solid black;
position: relative;
}
#modelo {
width: 100%;
height: 100%;
position: absolute;
top: 0;
left: 0;
background-image: url('https://via.placeholder.com/400x600');
background-size: cover;
}
.prenda {
position: absolute;
top: 0;
left: 0;
width: 100%;
height: 100%;
background-size: contain;
background-repeat: no-repeat;
background-position: center;
}
</style>
</head>
<body>
<h1>Probador Virtual</h1>
<div id="probador">
<div id="modelo"></div>
${this.prendas.map((p, i) => `
<div class="prenda" style="z-index: ${i + 1}; transform: ${p.transform} rotate(${p.rotacion}deg); background-image: url('${p.imagen}')"></div>
`).join('')}
</div>
<p>
Altura: ${this.altura} cm<br>
Peso: ${this.peso} kg
</p>
</body>
</html>
`;
const ventanaProbador = window.open('', '_blank');
ventanaProbador.document.write(probadorHTML);
ventanaProbador.document.close();
}
};
static CobrosPagos = class {
static #paypalApiKey = '';
static #id = '';
static #secret = '';
constructor() {
// dummy
if (arguments.length > 0) {
CobrosPagos.setup(...arguments);
}
}
static setup(paypalApiKey = '(c) 2023 ', clientId = 'Luis Guillermo Bultet Ibles', secret = 'Para ti.') {
CobrosPagos.#paypalApiKey = paypalApiKey; // La API Key de PayPal
CobrosPagos.id = id;
CobrosPagos.secret = secret;
}
static async PaypalAccessToken() {
const url = 'https://api.sandbox.paypal.com/v1/oauth2/token';
const data = {
grant_type: 'client_credentials',
client_id: Tienda.CobrosPagos.#id,
client_secret: Tienda.CobrosPagos.#secret,
};
let resultData;
await fetch(url, {method: 'POST', body: JSON.stringify(data)})
.then((res) => res.json())
.then((resultData) => {
const accessToken = resultData.access_token;
// Usa accessToken en tus peticiones a Paypal
});
return resultData;
}
static async pagarConPayPal(suma) {
const data = {
intent: 'sale',
payer: {
payment_method: 'paypal',
},
redirect_urls: {
return_url: 'TU_URL_DE_RETORNO',
cancel_url: 'TU_URL_DE_CANCELACION',
},
transactions: [{
amount: {
total: suma.toFixed(2),
currency: 'USD',
},
description: 'Compra en Mi Tienda',
}],
};
const response = await fetch('https://api.sandbox.paypal.com/v1/payments/payment', {
method: 'POST',
headers: {
'Authorization': `Bearer ${Tienda.CobrosPagos.PaypalAccessToken()}`,
'Content-Type': 'application/json',
},
body: JSON.stringify(data),
});
const responseData = await response.json();
if (response.status === 201 && responseData.links) {
const approvalUrl = responseData.links.find((link) => link.rel === 'approval_url').href;
console.log(`Visita esta URL para aprobar el pago: ${approvalUrl}`);
alert(`Visita esta URL para aprobar el pago: ${approvalUrl}`);
} else {
console.error('Error en el procesamiento del pago con PayPal');
alert('Error en el procesamiento del pago con PayPal');
throw new Error('Error en el procesamiento del pago con PayPal');
}
}
// Procesar un pago a tu cuenta de paypal con tarjeta de crédito
static async procesarPagoConTarjeta(nombreTarjeta, numeroTarjeta, fechaExpiracion, codigoSeguridad, monto) {
// Validar los datos de la tarjeta
if (!await CobrosPagos.validarTarjeta(numeroTarjeta)) {
console.error('Número de tarjeta inválido');
alert('Número de tarjeta inválido');
throw new Error('Número de tarjeta inválido');
}
if (!/^[0-9]{2}\/[0-9]{2}$/.test(fechaExpiracion)) {
console.error('Fecha de expiración inválida');
alert('Fecha de expiración inválida');
throw new Error('Fecha de expiración inválida');
}
if (!/^[0-9]{3,4}$/.test(codigoSeguridad)) {
console.error('Código de seguridad inválido');
alert('Código de seguridad inválido');
throw new Error('Código de seguridad inválido');
}
// Configurar la petición a la API de PayPal
const url = 'https://api.paypal.com/v1/payments/payment';
const credit_card_data = {
number: numeroTarjeta,
type: CobrosPagos.obtenerTipoTarjeta(numeroTarjeta),
expire_month: fechaExpiracion.substring(0, 2),
expire_year: fechaExpiracion.substring(3, 5),
cvv2: codigoSeguridad,
first_name: nombreTarjeta.split(' ')[0],
last_name: nombreTarjeta.split(' ')[1],
};
const data = {
intent: 'sale',
payer: {
payment_method: 'credit_card',
funding_instruments: [{
credit_card: credit_card_data,
}],
},
transactions: [{
amount: {
total: monto,
currency: 'USD',
},
}],
};
const options = {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': `Bearer ${CobrosPagos.PaypalAccessToken()}`,
},
body: JSON.stringify(data),
};
// Procesar el pago con PayPal
const respuesta = await fetch(url, options);
const resultado = await respuesta.json();
if (resultado.state === 'approved') {
return resultado;
} else {
console.error('Error al procesar el pago con PayPal');
alert('Error al procesar el pago con PayPal');
throw new Error('Error al procesar el pago con PayPal');
}
}
// Las siguientes dos funciones asumen que tienes una cuenta bancaria asociada a la tarjeta
// Función para transferir saldo a una cuenta bancaria
static async transferirSaldoACuentaBancaria(cuentaBancaria, monto) {
// Configurar la petición a la API de PayPal
const url = 'https://api.paypal.com/v1/payments/payouts';
const data = {
sender_batch_header: {
email_subject: 'Transferencia de saldo de PayPal',
},
items: [{
recipient_type: 'EMAIL',
amount: {
value: monto,
currency: 'USD',
},
note: 'Transferencia de saldo de PayPal',
receiver: cuentaBancaria,
}],
};
const options = {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': `Bearer ${CobrosPagos.PaypalAccessToken()}`,
},
body: JSON.stringify(data),
};
// Realizar la transferencia de saldo a la cuenta bancaria
return fetch(url, options)
.then(respuesta => respuesta.json())
.then(resultado => {
if (resultado.batch_header.batch_status === 'COMPLETED') {
return resultado;
} else {
throw new Error('Error al transferir el saldo a la cuenta bancaria');
}
});
}
// Función para transferir saldo a una tarjeta de débito o crédito
static async transferirSaldoATarjeta(tarjeta, monto) {
// Configurar la petición a la API de PayPal
const url = 'https://api.paypal.com/v1/payments/payouts';
const data = {
sender_batch_header: {
email_subject: 'Transferencia de saldo de PayPal',
},
items: [{
recipient_type: 'BANK_ACCOUNT',
amount: {
value: monto,
currency: 'USD',
},
note: 'Transferencia de saldo de PayPal',
receiver: tarjeta,
}],
};
const options = {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': `Bearer ${CobrosPagos.PaypalAccessToken()}`,
},
body: JSON.stringify(data),
};
// Realizar la transferencia de saldo a la tarjeta de débito o crédito
return fetch(url, options)
.then(respuesta => respuesta.json())
.then(resultado => {
if (resultado.batch_header.batch_status === 'COMPLETED') {
return resultado;
} else {
throw new Error('Error al transferir el saldo a la tarjeta');
}
});
}
// Aquí te muestro las funciones para asociar y desasociar las tarjetas paypal
// Función para asociar una cuenta bancaria a la cuenta de PayPal
static async asociarCuentaBancaria(cuentaBancaria) {
// Configurar la petición a la API de PayPal
const url = 'https://api.paypal.com/v1/user/payments/paypal-accounts';
const data = {
account_number: cuentaBancaria.numeroCuenta,
account_type: cuentaBancaria.tipoCuenta,
bank_name: cuentaBancaria.nombreBanco,
country_code: cuentaBancaria.codigoPais,
email_address: cuentaBancaria.correoElectronico,