diff --git a/back/methods/workerActivity/add.js b/back/methods/workerActivity/add.js
new file mode 100644
index 000000000..4592a0797
--- /dev/null
+++ b/back/methods/workerActivity/add.js
@@ -0,0 +1,50 @@
+module.exports = Self => {
+ Self.remoteMethodCtx('add', {
+ description: 'Add activity if the activity is different or is the same but have exceed time for break',
+ accessType: 'WRITE',
+ accepts: [
+ {
+ arg: 'code',
+ type: 'string',
+ description: 'Code for activity'
+ },
+ {
+ arg: 'model',
+ type: 'string',
+ description: 'Origin model from insert'
+ },
+
+ ],
+ http: {
+ path: `/add`,
+ verb: 'POST'
+ }
+ });
+
+ Self.add = async(ctx, code, model, options) => {
+ const userId = ctx.req.accessToken.userId;
+ const myOptions = {};
+
+ if (typeof options == 'object')
+ Object.assign(myOptions, options);
+
+ return await Self.rawSql(`
+ INSERT INTO workerActivity (workerFk, workerActivityTypeFk, model)
+ SELECT ?, ?, ?
+ FROM workerTimeControlParams wtcp
+ LEFT JOIN (
+ SELECT wa.workerFk,
+ wa.created,
+ wat.code
+ FROM workerActivity wa
+ LEFT JOIN workerActivityType wat ON wat.code = wa.workerActivityTypeFk
+ WHERE wa.workerFk = ?
+ ORDER BY wa.created DESC
+ LIMIT 1
+ ) sub ON TRUE
+ WHERE sub.workerFk IS NULL
+ OR sub.code <> ?
+ OR TIMESTAMPDIFF(SECOND, sub.created, util.VN_NOW()) > wtcp.dayBreak;`
+ , [userId, code, model, userId, code], myOptions);
+ };
+};
diff --git a/back/methods/workerActivity/specs/add.spec.js b/back/methods/workerActivity/specs/add.spec.js
new file mode 100644
index 000000000..352d67723
--- /dev/null
+++ b/back/methods/workerActivity/specs/add.spec.js
@@ -0,0 +1,30 @@
+const {models} = require('vn-loopback');
+
+describe('workerActivity insert()', () => {
+ const ctx = beforeAll.getCtx(1106);
+
+ it('should insert in workerActivity', async() => {
+ const tx = await models.WorkerActivity.beginTransaction({});
+ let count = 0;
+ const options = {transaction: tx};
+
+ try {
+ await models.WorkerActivityType.create(
+ {'code': 'STOP', 'description': 'STOP'}, options
+ );
+
+ await models.WorkerActivity.add(ctx, 'STOP', 'APP', options);
+
+ count = await models.WorkerActivity.count(
+ {'workerFK': 1106}, options
+ );
+
+ await tx.rollback();
+ } catch (e) {
+ await tx.rollback();
+ throw e;
+ }
+
+ expect(count).toEqual(1);
+ });
+});
diff --git a/back/model-config.json b/back/model-config.json
index a16fe4e8a..13c06ef54 100644
--- a/back/model-config.json
+++ b/back/model-config.json
@@ -28,6 +28,9 @@
"Company": {
"dataSource": "vn"
},
+ "Config": {
+ "dataSource": "vn"
+ },
"Continent": {
"dataSource": "vn"
},
diff --git a/back/models/config.json b/back/models/config.json
new file mode 100644
index 000000000..e5ba1f134
--- /dev/null
+++ b/back/models/config.json
@@ -0,0 +1,22 @@
+{
+ "name": "Config",
+ "base": "VnModel",
+ "options": {
+ "mysql": {
+ "table": "config"
+ }
+ },
+ "properties": {
+ "inventoried": {
+ "type": "date"
+ }
+ },
+ "acls": [
+ {
+ "accessType": "READ",
+ "principalType": "ROLE",
+ "principalId": "$authenticated",
+ "permission": "ALLOW"
+ }
+ ]
+}
\ No newline at end of file
diff --git a/back/models/workerActivity.js b/back/models/workerActivity.js
new file mode 100644
index 000000000..b3bb2c160
--- /dev/null
+++ b/back/models/workerActivity.js
@@ -0,0 +1,3 @@
+module.exports = Self => {
+ require('../methods/workerActivity/add')(Self);
+};
diff --git a/back/models/workerActivity.json b/back/models/workerActivity.json
index e3b994f77..ecd92bbce 100644
--- a/back/models/workerActivity.json
+++ b/back/models/workerActivity.json
@@ -22,18 +22,18 @@
},
"description": {
"type": "string"
+ }
+ },
+ "relations": {
+ "workerFk": {
+ "type": "belongsTo",
+ "model": "Worker",
+ "foreignKey": "workerFk"
},
- "relations": {
- "workerFk": {
- "type": "belongsTo",
- "model": "Worker",
- "foreignKey": "workerFk"
- },
- "workerActivityTypeFk": {
- "type": "belongsTo",
- "model": "WorkerActivityType",
- "foreignKey": "workerActivityTypeFk"
- }
+ "workerActivityTypeFk": {
+ "type": "belongsTo",
+ "model": "WorkerActivityType",
+ "foreignKey": "workerActivityTypeFk"
}
}
}
\ No newline at end of file
diff --git a/db/routines/hedera/procedures/order_confirmWithUser.sql b/db/routines/hedera/procedures/order_confirmWithUser.sql
index 9c932aaa1..2b033b704 100644
--- a/db/routines/hedera/procedures/order_confirmWithUser.sql
+++ b/db/routines/hedera/procedures/order_confirmWithUser.sql
@@ -1,59 +1,62 @@
DELIMITER $$
-CREATE OR REPLACE DEFINER=`root`@`localhost` PROCEDURE `hedera`.`order_confirmWithUser`(vSelf INT, vUserId INT)
+CREATE OR REPLACE DEFINER=`root`@`localhost` PROCEDURE `hedera`.`order_confirmWithUser`(
+ vSelf INT,
+ vUserFk INT
+)
BEGIN
/**
- * Confirms an order, creating each of its tickets on the corresponding
- * date, store and user.
+ * Confirms an order, creating each of its tickets
+ * on the corresponding date, store and user.
*
* @param vSelf The order identifier
* @param vUser The user identifier
*/
- DECLARE vOk BOOL;
- DECLARE vDone BOOL DEFAULT FALSE;
- DECLARE vWarehouse INT;
+ DECLARE vHasRows BOOL;
+ DECLARE vDone BOOL;
+ DECLARE vWarehouseFk INT;
DECLARE vShipment DATE;
- DECLARE vTicket INT;
+ DECLARE vShipmentDayEnd DATETIME;
+ DECLARE vTicketFk INT;
DECLARE vNotes VARCHAR(255);
- DECLARE vItem INT;
+ DECLARE vItemFk INT;
DECLARE vConcept VARCHAR(30);
DECLARE vAmount INT;
+ DECLARE vAvailable INT;
DECLARE vPrice DECIMAL(10,2);
- DECLARE vSale INT;
- DECLARE vRate INT;
- DECLARE vRowId INT;
+ DECLARE vSaleFk INT;
+ DECLARE vRowFk INT;
DECLARE vPriceFixed DECIMAL(10,2);
- DECLARE vDelivery DATE;
- DECLARE vAddress INT;
- DECLARE vIsConfirmed BOOL;
- DECLARE vClientId INT;
- DECLARE vCompanyId INT;
- DECLARE vAgencyModeId INT;
- DECLARE TICKET_FREE INT DEFAULT 2;
- DECLARE vCalc INT;
- DECLARE vIsLogifloraItem BOOL;
- DECLARE vOldQuantity INT;
- DECLARE vNewQuantity INT;
+ DECLARE vLanded DATE;
+ DECLARE vAddressFk INT;
+ DECLARE vClientFk INT;
+ DECLARE vCompanyFk INT;
+ DECLARE vAgencyModeFk INT;
+ DECLARE vCalcFk INT;
DECLARE vIsTaxDataChecked BOOL;
- DECLARE cDates CURSOR FOR
- SELECT zgs.shipped, r.warehouse_id
+ DECLARE vDates CURSOR FOR
+ SELECT zgs.shipped, r.warehouseFk
FROM `order` o
- JOIN order_row r ON r.order_id = o.id
- LEFT JOIN tmp.zoneGetShipped zgs ON zgs.warehouseFk = r.warehouse_id
- WHERE o.id = vSelf AND r.amount != 0
- GROUP BY r.warehouse_id;
+ JOIN orderRow r ON r.orderFk = o.id
+ LEFT JOIN tmp.zoneGetShipped zgs ON zgs.warehouseFk = r.warehouseFk
+ WHERE o.id = vSelf
+ AND r.amount
+ GROUP BY r.warehouseFk;
- DECLARE cRows CURSOR FOR
- SELECT r.id, r.item_id, i.name, r.amount, r.price, r.rate, i.isFloramondo
- FROM order_row r
- JOIN vn.item i ON i.id = r.item_id
- WHERE r.amount != 0
- AND r.warehouse_id = vWarehouse
- AND r.order_id = vSelf
+ DECLARE vRows CURSOR FOR
+ SELECT r.id,
+ r.itemFk,
+ i.name,
+ r.amount,
+ r.price
+ FROM orderRow r
+ JOIN vn.item i ON i.id = r.itemFk
+ WHERE r.amount
+ AND r.warehouseFk = vWarehouseFk
+ AND r.orderFk = vSelf
ORDER BY r.rate DESC;
- DECLARE CONTINUE HANDLER FOR NOT FOUND
- SET vDone = TRUE;
+ DECLARE CONTINUE HANDLER FOR NOT FOUND SET vDone = TRUE;
DECLARE EXIT HANDLER FOR SQLEXCEPTION
BEGIN
@@ -62,26 +65,36 @@ BEGIN
END;
-- Carga los datos del pedido
- SELECT o.date_send, o.address_id, o.note, a.clientFk,
- o.company_id, o.agency_id, c.isTaxDataChecked
- INTO vDelivery, vAddress, vNotes, vClientId,
- vCompanyId, vAgencyModeId, vIsTaxDataChecked
- FROM hedera.`order` o
+ SELECT o.date_send,
+ o.address_id,
+ o.note,
+ a.clientFk,
+ o.company_id,
+ o.agency_id,
+ c.isTaxDataChecked
+ INTO vLanded,
+ vAddressFk,
+ vNotes,
+ vClientFk,
+ vCompanyFk,
+ vAgencyModeFk,
+ vIsTaxDataChecked
+ FROM `order` o
JOIN vn.address a ON a.id = o.address_id
JOIN vn.client c ON c.id = a.clientFk
WHERE o.id = vSelf;
-- Verifica si el cliente tiene los datos comprobados
IF NOT vIsTaxDataChecked THEN
- CALL util.throw ('clientNotVerified');
+ CALL util.throw('clientNotVerified');
END IF;
-- Carga las fechas de salida de cada almacen
- CALL vn.zone_getShipped (vDelivery, vAddress, vAgencyModeId, FALSE);
+ CALL vn.zone_getShipped(vLanded, vAddressFk, vAgencyModeFk, FALSE);
-- Trabajador que realiza la accion
- IF vUserId IS NULL THEN
- SELECT employeeFk INTO vUserId FROM orderConfig;
+ IF vUserFk IS NULL THEN
+ SELECT employeeFk INTO vUserFk FROM orderConfig;
END IF;
START TRANSACTION;
@@ -89,207 +102,188 @@ BEGIN
CALL order_checkEditable(vSelf);
-- Check order is not empty
+ SELECT COUNT(*) > 0 INTO vHasRows
+ FROM orderRow
+ WHERE orderFk = vSelf
+ AND amount > 0;
- SELECT COUNT(*) > 0 INTO vOk
- FROM order_row WHERE order_id = vSelf AND amount > 0;
-
- IF NOT vOk THEN
- CALL util.throw ('ORDER_EMPTY');
+ IF NOT vHasRows THEN
+ CALL util.throw('ORDER_EMPTY');
END IF;
-- Crea los tickets del pedido
-
- OPEN cDates;
-
- lDates:
- LOOP
- SET vTicket = NULL;
+ OPEN vDates;
+ lDates: LOOP
+ SET vTicketFk = NULL;
SET vDone = FALSE;
- FETCH cDates INTO vShipment, vWarehouse;
+ FETCH vDates INTO vShipment, vWarehouseFk;
IF vDone THEN
LEAVE lDates;
END IF;
- -- Busca un ticket existente que coincida con los parametros
- WITH tPrevia AS
- (SELECT DISTINCT s.ticketFk
+ SET vShipmentDayEnd = util.dayEnd(vShipment);
+
+ -- Busca un ticket libre disponible
+ WITH tPrevia AS (
+ SELECT DISTINCT s.ticketFk
FROM vn.sale s
JOIN vn.saleGroupDetail sgd ON sgd.saleFk = s.id
JOIN vn.ticket t ON t.id = s.ticketFk
- WHERE t.shipped BETWEEN vShipment AND util.dayend(vShipment)
- )
- SELECT t.id INTO vTicket
+ WHERE t.shipped BETWEEN vShipment AND vShipmentDayEnd
+ )
+ SELECT t.id INTO vTicketFk
FROM vn.ticket t
JOIN vn.alertLevel al ON al.code = 'FREE'
LEFT JOIN tPrevia tp ON tp.ticketFk = t.id
- LEFT JOIN vn.ticketState tls on tls.ticketFk = t.id
- JOIN hedera.`order` o
- ON o.address_id = t.addressFk
- AND vWarehouse = t.warehouseFk
- AND o.date_send = t.landed
- AND DATE(t.shipped) = vShipment
+ LEFT JOIN vn.ticketState tls ON tls.ticketFk = t.id
+ JOIN hedera.`order` o ON o.address_id = t.addressFk
+ AND t.shipped BETWEEN vShipment AND vShipmentDayEnd
+ AND t.warehouseFk = vWarehouseFk
+ AND o.date_send = t.landed
WHERE o.id = vSelf
AND t.refFk IS NULL
AND tp.ticketFk IS NULL
AND (tls.alertLevel IS NULL OR tls.alertLevel = al.id)
LIMIT 1;
+ -- Comprobamos si hay un ticket de previa disponible
+ IF vTicketFk IS NULL THEN
+ WITH tItemPackingTypeOrder AS (
+ SELECT GROUP_CONCAT(
+ DISTINCT i.itemPackingTypeFk ORDER BY i.itemPackingTypeFk
+ ) distinctItemPackingTypes,
+ o.address_id
+ FROM vn.item i
+ JOIN hedera.orderRow oro ON oro.itemFk = i.id
+ JOIN hedera.`order` o ON o.id = oro.orderFk
+ WHERE oro.orderFk = vSelf
+ ),
+ tItemPackingTypeTicket AS (
+ SELECT t.id,
+ GROUP_CONCAT(
+ DISTINCT i.itemPackingTypeFk ORDER BY i.itemPackingTypeFk
+ ) distinctItemPackingTypes
+ FROM vn.ticket t
+ JOIN vn.ticketState tls ON tls.ticketFk = t.id
+ JOIN vn.alertLevel al ON al.id = tls.alertLevel
+ JOIN vn.sale s ON s.ticketFk = t.id
+ JOIN vn.item i ON i.id = s.itemFk
+ JOIN tItemPackingTypeOrder ipto
+ WHERE t.shipped BETWEEN vShipment AND vShipmentDayEnd
+ AND t.refFk IS NULL
+ AND t.warehouseFk = vWarehouseFk
+ AND t.addressFk = ipto.address_id
+ AND al.code = 'ON_PREVIOUS'
+ GROUP BY t.id
+ )
+ SELECT iptt.id INTO vTicketFk
+ FROM tItemPackingTypeTicket iptt
+ JOIN tItemPackingTypeOrder ipto
+ WHERE INSTR(iptt.distinctItemPackingTypes, ipto.distinctItemPackingTypes)
+ LIMIT 1;
+ END IF;
+
-- Crea el ticket en el caso de no existir uno adecuado
- IF vTicket IS NULL
- THEN
-
+ IF vTicketFk IS NULL THEN
SET vShipment = IFNULL(vShipment, util.VN_CURDATE());
-
CALL vn.ticket_add(
- vClientId,
+ vClientFk,
vShipment,
- vWarehouse,
- vCompanyId,
- vAddress,
- vAgencyModeId,
+ vWarehouseFk,
+ vCompanyFk,
+ vAddressFk,
+ vAgencyModeFk,
NULL,
- vDelivery,
- vUserId,
+ vLanded,
+ vUserFk,
TRUE,
- vTicket
+ vTicketFk
);
ELSE
INSERT INTO vn.ticketTracking
- SET ticketFk = vTicket,
- userFk = vUserId,
- stateFk = TICKET_FREE;
+ SET ticketFk = vTicketFk,
+ userFk = vUserFk,
+ stateFk = (SELECT id FROM vn.state WHERE code = 'FREE');
END IF;
INSERT IGNORE INTO vn.orderTicket
SET orderFk = vSelf,
- ticketFk = vTicket;
+ ticketFk = vTicketFk;
-- Añade las notas
-
- IF vNotes IS NOT NULL AND vNotes != ''
- THEN
- INSERT INTO vn.ticketObservation SET
- ticketFk = vTicket,
- observationTypeFk = 4 /* salesperson */ ,
+ IF vNotes IS NOT NULL AND vNotes <> '' THEN
+ INSERT INTO vn.ticketObservation
+ SET ticketFk = vTicketFk,
+ observationTypeFk = (SELECT id FROM vn.observationType WHERE code = 'salesPerson'),
`description` = vNotes
ON DUPLICATE KEY UPDATE
`description` = CONCAT(VALUES(`description`),'. ', `description`);
END IF;
-- Añade los movimientos y sus componentes
-
- OPEN cRows;
-
+ OPEN vRows;
lRows: LOOP
+ SET vSaleFk = NULL;
SET vDone = FALSE;
- FETCH cRows INTO vRowId, vItem, vConcept, vAmount, vPrice, vRate, vIsLogifloraItem;
+ FETCH vRows INTO vRowFk, vItemFk, vConcept, vAmount, vPrice;
IF vDone THEN
LEAVE lRows;
END IF;
- SET vSale = NULL;
-
- SELECT s.id, s.quantity INTO vSale, vOldQuantity
+ SELECT s.id INTO vSaleFk
FROM vn.sale s
- WHERE ticketFk = vTicket
+ WHERE ticketFk = vTicketFk
AND price = vPrice
- AND itemFk = vItem
+ AND itemFk = vItemFk
AND discount = 0
LIMIT 1;
- IF vSale THEN
+ IF vSaleFk THEN
UPDATE vn.sale
SET quantity = quantity + vAmount,
originalQuantity = quantity
- WHERE id = vSale;
-
- SELECT s.quantity INTO vNewQuantity
- FROM vn.sale s
- WHERE id = vSale;
+ WHERE id = vSaleFk;
ELSE
-- Obtiene el coste
SELECT SUM(rc.`price`) valueSum INTO vPriceFixed
FROM orderRowComponent rc
JOIN vn.component c ON c.id = rc.componentFk
- JOIN vn.componentType ct ON ct.id = c.typeFk AND ct.isBase
- WHERE rc.rowFk = vRowId;
+ JOIN vn.componentType ct ON ct.id = c.typeFk
+ AND ct.isBase
+ WHERE rc.rowFk = vRowFk;
INSERT INTO vn.sale
- SET itemFk = vItem,
- ticketFk = vTicket,
+ SET itemFk = vItemFk,
+ ticketFk = vTicketFk,
concept = vConcept,
quantity = vAmount,
price = vPrice,
priceFixed = vPriceFixed,
isPriceFixed = TRUE;
- SET vSale = LAST_INSERT_ID();
+ SET vSaleFk = LAST_INSERT_ID();
- INSERT INTO vn.saleComponent
- (saleFk, componentFk, `value`)
- SELECT vSale, rc.componentFk, rc.price
+ INSERT INTO vn.saleComponent (saleFk, componentFk, `value`)
+ SELECT vSaleFk, rc.componentFk, rc.price
FROM orderRowComponent rc
JOIN vn.component c ON c.id = rc.componentFk
- WHERE rc.rowFk = vRowId
- GROUP BY vSale, rc.componentFk;
+ WHERE rc.rowFk = vRowFk
+ GROUP BY vSaleFk, rc.componentFk;
END IF;
- UPDATE order_row SET Id_Movimiento = vSale
- WHERE id = vRowId;
-
- -- Inserta en putOrder si la compra es de Floramondo
- IF vIsLogifloraItem THEN
- CALL cache.availableNoRaids_refresh(vCalc,FALSE,vWarehouse,vShipment);
-
- SET @available := 0;
-
- SELECT GREATEST(0,available) INTO @available
- FROM cache.availableNoRaids
- WHERE calc_id = vCalc
- AND item_id = vItem;
-
- UPDATE cache.availableNoRaids
- SET available = GREATEST(0,available - vAmount)
- WHERE item_id = vItem
- AND calc_id = vCalc;
-
- INSERT INTO edi.putOrder (
- deliveryInformationID,
- supplyResponseId,
- quantity ,
- EndUserPartyId,
- EndUserPartyGLN,
- FHAdminNumber,
- saleFk
- )
- SELECT di.ID,
- i.supplyResponseFk,
- CEIL((vAmount - @available)/ sr.NumberOfItemsPerCask),
- o.address_id ,
- vClientId,
- IFNULL(ca.fhAdminNumber, fhc.defaultAdminNumber),
- vSale
- FROM edi.deliveryInformation di
- JOIN vn.item i ON i.supplyResponseFk = di.supplyResponseID
- JOIN edi.supplyResponse sr ON sr.ID = i.supplyResponseFk
- LEFT JOIN edi.clientFHAdminNumber ca ON ca.clientFk = vClientId
- JOIN edi.floraHollandConfig fhc
- JOIN hedera.`order` o ON o.id = vSelf
- WHERE i.id = vItem
- AND di.LatestOrderDateTime > util.VN_NOW()
- AND vAmount > @available
- LIMIT 1;
- END IF;
+ UPDATE orderRow
+ SET saleFk = vSaleFk
+ WHERE id = vRowFk;
END LOOP;
-
- CLOSE cRows;
+ CLOSE vRows;
END LOOP;
+ CLOSE vDates;
- CLOSE cDates;
-
- UPDATE `order` SET confirmed = TRUE, confirm_date = util.VN_NOW()
+ UPDATE `order`
+ SET confirmed = TRUE,
+ confirm_date = util.VN_NOW()
WHERE id = vSelf;
COMMIT;
diff --git a/db/routines/salix/triggers/ACL_afterDelete.sql b/db/routines/salix/triggers/ACL_afterDelete.sql
new file mode 100644
index 000000000..b7e6071fc
--- /dev/null
+++ b/db/routines/salix/triggers/ACL_afterDelete.sql
@@ -0,0 +1,12 @@
+DELIMITER $$
+CREATE OR REPLACE DEFINER=`root`@`localhost` TRIGGER `salix`.`ACL_afterDelete`
+ AFTER DELETE ON `ACL`
+ FOR EACH ROW
+BEGIN
+ INSERT INTO ACLLog
+ SET `action` = 'delete',
+ `changedModel` = 'Acl',
+ `changedModelId` = OLD.id,
+ `userFk` = account.myUser_getId();
+END$$
+DELIMITER ;
diff --git a/db/routines/salix/triggers/ACL_beforeInsert.sql b/db/routines/salix/triggers/ACL_beforeInsert.sql
new file mode 100644
index 000000000..94fb51ada
--- /dev/null
+++ b/db/routines/salix/triggers/ACL_beforeInsert.sql
@@ -0,0 +1,8 @@
+DELIMITER $$
+CREATE OR REPLACE DEFINER=`root`@`localhost` TRIGGER `salix`.`ACL_beforeInsert`
+ BEFORE INSERT ON `ACL`
+ FOR EACH ROW
+BEGIN
+ SET NEW.editorFk = account.myUser_getId();
+END$$
+DELIMITER ;
diff --git a/db/routines/salix/triggers/ACL_beforeUpdate.sql b/db/routines/salix/triggers/ACL_beforeUpdate.sql
new file mode 100644
index 000000000..b214fc9f6
--- /dev/null
+++ b/db/routines/salix/triggers/ACL_beforeUpdate.sql
@@ -0,0 +1,8 @@
+DELIMITER $$
+CREATE OR REPLACE DEFINER=`root`@`localhost` TRIGGER `salix`.`ACL_beforeUpdate`
+ BEFORE UPDATE ON `ACL`
+ FOR EACH ROW
+BEGIN
+ SET NEW.editorFk = account.myUser_getId();
+END$$
+DELIMITER ;
diff --git a/db/routines/vn/procedures/item_getBalance.sql b/db/routines/vn/procedures/item_getBalance.sql
index 0de59b478..46e4bafcc 100644
--- a/db/routines/vn/procedures/item_getBalance.sql
+++ b/db/routines/vn/procedures/item_getBalance.sql
@@ -189,7 +189,7 @@ BEGIN
SELECT * FROM sales
UNION ALL
SELECT * FROM orders
- ORDER BY shipped,
+ ORDER BY shipped DESC,
(inventorySupplierFk = entityId) DESC,
alertLevel DESC,
isTicket,
@@ -240,7 +240,7 @@ BEGIN
NULL reference,
NULL entityType,
NULL entityId,
- 'Inventario calculado',
+ 'Inventario calculado' entityName,
@a invalue,
NULL `out`,
@a balance,
diff --git a/db/routines/vn/procedures/supplier_statement.sql b/db/routines/vn/procedures/supplier_statement.sql
deleted file mode 100644
index a03a7770c..000000000
--- a/db/routines/vn/procedures/supplier_statement.sql
+++ /dev/null
@@ -1,139 +0,0 @@
-DELIMITER $$
-CREATE OR REPLACE DEFINER=`root`@`localhost` PROCEDURE `vn`.`supplier_statement`(
- vSupplierFk INT,
- vCurrencyFk INT,
- vCompanyFk INT,
- vOrderBy VARCHAR(15),
- vIsConciliated BOOL
-)
-BEGIN
-/**
- * Crea un estado de cuenta de proveedores calculando
- * los saldos en euros y en la moneda especificada.
- *
- * @param vSupplierFk Id del proveedor
- * @param vCurrencyFk Id de la moneda
- * @param vCompanyFk Id de la empresa
- * @param vOrderBy Criterio de ordenación
- * @param vIsConciliated Indica si está conciliado o no
- * @return tmp.supplierStatement
- */
- SET @euroBalance:= 0;
- SET @currencyBalance:= 0;
-
- CREATE OR REPLACE TEMPORARY TABLE tmp.supplierStatement
- ENGINE = MEMORY
- SELECT *,
- @euroBalance:= ROUND(
- @euroBalance + IFNULL(paymentEuros, 0) -
- IFNULL(invoiceEuros, 0), 2
- ) euroBalance,
- @currencyBalance:= ROUND(
- @currencyBalance + IFNULL(paymentCurrency, 0) -
- IFNULL(invoiceCurrency, 0), 2
- ) currencyBalance
- FROM (
- SELECT * FROM
- (
- SELECT NULL bankFk,
- ii.companyFk,
- ii.serial,
- ii.id,
- CASE
- WHEN vOrderBy = 'issued' THEN ii.issued
- WHEN vOrderBy = 'bookEntried' THEN ii.bookEntried
- WHEN vOrderBy = 'booked' THEN ii.booked
- WHEN vOrderBy = 'dueDate' THEN iid.dueDated
- END dated,
- CONCAT('S/Fra ', ii.supplierRef) sref,
- IF(ii.currencyFk > 1,
- ROUND(SUM(iid.foreignValue) / SUM(iid.amount), 3),
- NULL
- ) changeValue,
- CAST(SUM(iid.amount) AS DECIMAL(10,2)) invoiceEuros,
- CAST(SUM(iid.foreignValue) AS DECIMAL(10,2)) invoiceCurrency,
- NULL paymentEuros,
- NULL paymentCurrency,
- ii.currencyFk,
- ii.isBooked,
- c.code,
- 'invoiceIn' statementType
- FROM invoiceIn ii
- JOIN invoiceInDueDay iid ON iid.invoiceInFk = ii.id
- JOIN currency c ON c.id = ii.currencyFk
- WHERE ii.issued > '2014-12-31'
- AND ii.supplierFk = vSupplierFk
- AND vCurrencyFk IN (ii.currencyFk, 0)
- AND vCompanyFk IN (ii.companyFk, 0)
- AND (vIsConciliated = ii.isBooked OR NOT vIsConciliated)
- GROUP BY iid.id
- UNION ALL
- SELECT p.bankFk,
- p.companyFk,
- NULL,
- p.id,
- CASE
- WHEN vOrderBy = 'issued' THEN p.received
- WHEN vOrderBy = 'bookEntried' THEN p.received
- WHEN vOrderBy = 'booked' THEN p.received
- WHEN vOrderBy = 'dueDate' THEN p.dueDated
- END,
- CONCAT(IFNULL(pm.name, ''),
- IF(pn.concept <> '',
- CONCAT(' : ', pn.concept),
- '')
- ),
- IF(p.currencyFk > 1, p.divisa / p.amount, NULL),
- NULL,
- NULL,
- p.amount,
- p.divisa,
- p.currencyFk,
- p.isConciliated,
- c.code,
- 'payment'
- FROM payment p
- LEFT JOIN currency c ON c.id = p.currencyFk
- LEFT JOIN accounting a ON a.id = p.bankFk
- LEFT JOIN payMethod pm ON pm.id = p.payMethodFk
- LEFT JOIN promissoryNote pn ON pn.paymentFk = p.id
- WHERE p.received > '2014-12-31'
- AND p.supplierFk = vSupplierFk
- AND vCurrencyFk IN (p.currencyFk, 0)
- AND vCompanyFk IN (p.companyFk, 0)
- AND (vIsConciliated = p.isConciliated OR NOT vIsConciliated)
- UNION ALL
- SELECT NULL,
- companyFk,
- NULL,
- se.id,
- CASE
- WHEN vOrderBy = 'issued' THEN se.dated
- WHEN vOrderBy = 'bookEntried' THEN se.dated
- WHEN vOrderBy = 'booked' THEN se.dated
- WHEN vOrderBy = 'dueDate' THEN se.dueDated
- END,
- se.description,
- 1,
- amount,
- NULL,
- NULL,
- NULL,
- currencyFk,
- isConciliated,
- c.`code`,
- 'expense'
- FROM supplierExpense se
- JOIN currency c ON c.id = se.currencyFk
- WHERE se.supplierFk = vSupplierFk
- AND vCurrencyFk IN (se.currencyFk,0)
- AND vCompanyFk IN (se.companyFk,0)
- AND (vIsConciliated = se.isConciliated OR NOT vIsConciliated)
- ) sub
- ORDER BY (dated IS NULL AND NOT isBooked),
- dated,
- IF(vOrderBy = 'dueDate', id, NULL)
- LIMIT 10000000000000000000
- ) t;
-END$$
-DELIMITER ;
diff --git a/db/routines/vn/procedures/supplier_statementWithEntries.sql b/db/routines/vn/procedures/supplier_statementWithEntries.sql
new file mode 100644
index 000000000..df3b918a7
--- /dev/null
+++ b/db/routines/vn/procedures/supplier_statementWithEntries.sql
@@ -0,0 +1,166 @@
+DELIMITER $$
+CREATE OR REPLACE DEFINER=`root`@`localhost` PROCEDURE vn.supplier_statementWithEntries(
+ vSupplierFk INT,
+ vCurrencyFk INT,
+ vCompanyFk INT,
+ vOrderBy VARCHAR(15),
+ vIsConciliated BOOL,
+ vHasEntries BOOL
+)
+BEGIN
+/**
+* Creates a supplier statement, calculating balances in euros and the specified currency.
+*
+* @param vSupplierFk Supplier ID
+* @param vCurrencyFk Currency ID
+* @param vCompanyFk Company ID
+* @param vOrderBy Order by criteria
+* @param vIsConciliated Indicates whether it is reconciled or not
+* @param vHasEntries Indicates if future entries must be shown
+* @return tmp.supplierStatement
+*/
+ DECLARE vBalanceStartingDate DATETIME;
+
+ SET @euroBalance:= 0;
+ SET @currencyBalance:= 0;
+
+ SELECT balanceStartingDate
+ INTO vBalanceStartingDate
+ FROM invoiceInConfig;
+
+ CREATE OR REPLACE TEMPORARY TABLE tmp.supplierStatement
+ ENGINE = MEMORY
+ SELECT *,
+ @euroBalance:= ROUND(
+ @euroBalance + IFNULL(paymentEuros, 0) -
+ IFNULL(invoiceEuros, 0), 2
+ ) euroBalance,
+ @currencyBalance:= ROUND(
+ @currencyBalance + IFNULL(paymentCurrency, 0) -
+ IFNULL(invoiceCurrency, 0), 2
+ ) currencyBalance
+ FROM (
+ SELECT NULL bankFk,
+ ii.companyFk,
+ ii.serial,
+ ii.id,
+ CASE
+ WHEN vOrderBy = 'issued' THEN ii.issued
+ WHEN vOrderBy = 'bookEntried' THEN ii.bookEntried
+ WHEN vOrderBy = 'booked' THEN ii.booked
+ WHEN vOrderBy = 'dueDate' THEN iid.dueDated
+ END dated,
+ CONCAT('S/Fra ', ii.supplierRef) sref,
+ IF(ii.currencyFk > 1,
+ ROUND(SUM(iid.foreignValue) / SUM(iid.amount), 3),
+ NULL
+ ) changeValue,
+ CAST(SUM(iid.amount) AS DECIMAL(10,2)) invoiceEuros,
+ CAST(SUM(iid.foreignValue) AS DECIMAL(10,2)) invoiceCurrency,
+ NULL paymentEuros,
+ NULL paymentCurrency,
+ ii.currencyFk,
+ ii.isBooked,
+ c.code,
+ 'invoiceIn' statementType
+ FROM invoiceIn ii
+ JOIN invoiceInDueDay iid ON iid.invoiceInFk = ii.id
+ JOIN currency c ON c.id = ii.currencyFk
+ WHERE ii.issued >= vBalanceStartingDate
+ AND ii.supplierFk = vSupplierFk
+ AND vCurrencyFk IN (ii.currencyFk, 0)
+ AND vCompanyFk IN (ii.companyFk, 0)
+ AND (vIsConciliated = ii.isBooked OR NOT vIsConciliated)
+ GROUP BY iid.id
+ UNION ALL
+ SELECT p.bankFk,
+ p.companyFk,
+ NULL,
+ p.id,
+ CASE
+ WHEN vOrderBy = 'issued' THEN p.received
+ WHEN vOrderBy = 'bookEntried' THEN p.received
+ WHEN vOrderBy = 'booked' THEN p.received
+ WHEN vOrderBy = 'dueDate' THEN p.dueDated
+ END,
+ CONCAT(IFNULL(pm.name, ''),
+ IF(pn.concept <> '',
+ CONCAT(' : ', pn.concept),
+ '')
+ ),
+ IF(p.currencyFk > 1, p.divisa / p.amount, NULL),
+ NULL,
+ NULL,
+ p.amount,
+ p.divisa,
+ p.currencyFk,
+ p.isConciliated,
+ c.code,
+ 'payment'
+ FROM payment p
+ LEFT JOIN currency c ON c.id = p.currencyFk
+ LEFT JOIN accounting a ON a.id = p.bankFk
+ LEFT JOIN payMethod pm ON pm.id = p.payMethodFk
+ LEFT JOIN promissoryNote pn ON pn.paymentFk = p.id
+ WHERE p.received >= vBalanceStartingDate
+ AND p.supplierFk = vSupplierFk
+ AND vCurrencyFk IN (p.currencyFk, 0)
+ AND vCompanyFk IN (p.companyFk, 0)
+ AND (vIsConciliated = p.isConciliated OR NOT vIsConciliated)
+ UNION ALL
+ SELECT NULL,
+ companyFk,
+ NULL,
+ se.id,
+ CASE
+ WHEN vOrderBy = 'issued' THEN se.dated
+ WHEN vOrderBy = 'bookEntried' THEN se.dated
+ WHEN vOrderBy = 'booked' THEN se.dated
+ WHEN vOrderBy = 'dueDate' THEN se.dueDated
+ END,
+ se.description,
+ 1,
+ amount,
+ NULL,
+ NULL,
+ NULL,
+ currencyFk,
+ isConciliated,
+ c.`code`,
+ 'expense'
+ FROM supplierExpense se
+ JOIN currency c ON c.id = se.currencyFk
+ WHERE se.supplierFk = vSupplierFk
+ AND vCurrencyFk IN (se.currencyFk,0)
+ AND vCompanyFk IN (se.companyFk,0)
+ AND (vIsConciliated = se.isConciliated OR NOT vIsConciliated)
+ UNION ALL
+ SELECT NULL bankFk,
+ e.companyFk,
+ 'E' serial,
+ e.invoiceNumber id,
+ tr.landed dated,
+ CONCAT('Ent. ',e.id) sref,
+ 1 / ((e.commission/100)+1) changeValue,
+ e.invoiceAmount * (1 + (e.commission/100)),
+ e.invoiceAmount,
+ NULL,
+ NULL,
+ e.currencyFk,
+ FALSE isBooked,
+ c.code,
+ 'order'
+ FROM entry e
+ JOIN travel tr ON tr.id = e.travelFk
+ JOIN currency c ON c.id = e.currencyFk
+ WHERE e.supplierFk = vSupplierFk
+ AND tr.landed >= CURDATE()
+ AND e.invoiceInFk IS NULL
+ AND vHasEntries
+ ORDER BY (dated IS NULL AND NOT isBooked),
+ dated,
+ IF(vOrderBy = 'dueDate', id, NULL)
+ LIMIT 10000000000000000000
+ ) t;
+END$$
+DELIMITER ;
diff --git a/db/routines/vn/procedures/ticket_cloneWeekly.sql b/db/routines/vn/procedures/ticket_cloneWeekly.sql
index fd45dc9fa..e13e7e677 100644
--- a/db/routines/vn/procedures/ticket_cloneWeekly.sql
+++ b/db/routines/vn/procedures/ticket_cloneWeekly.sql
@@ -4,7 +4,6 @@ CREATE OR REPLACE DEFINER=`root`@`localhost` PROCEDURE `vn`.`ticket_cloneWeekly`
vDateTo DATE
)
BEGIN
- DECLARE vIsDone BOOL;
DECLARE vLanding DATE;
DECLARE vShipment DATE;
DECLARE vWarehouseFk INT;
@@ -15,36 +14,37 @@ BEGIN
DECLARE vAgencyModeFk INT;
DECLARE vNewTicket INT;
DECLARE vYear INT;
- DECLARE vSalesPersonFK INT;
- DECLARE vItemPicker INT;
+ DECLARE vObservationSalesPersonFk INT
+ DEFAULT (SELECT id FROM observationType WHERE code = 'salesPerson');
+ DECLARE vObservationItemPickerFk INT
+ DEFAULT (SELECT id FROM observationType WHERE code = 'itemPicker');
+ DECLARE vEmail VARCHAR(255);
+ DECLARE vIsDuplicateMail BOOL;
+ DECLARE vSubject VARCHAR(100);
+ DECLARE vMessage TEXT;
+ DECLARE vDone BOOL;
- DECLARE rsTicket CURSOR FOR
- SELECT tt.ticketFk,
- t.clientFk,
- t.warehouseFk,
- t.companyFk,
- t.addressFk,
- tt.agencyModeFk,
- ti.dated
- FROM ticketWeekly tt
- JOIN ticket t ON tt.ticketFk = t.id
- JOIN tmp.time ti
- WHERE WEEKDAY(ti.dated) = tt.weekDay;
+ DECLARE vTickets CURSOR FOR
+ SELECT tt.ticketFk,
+ t.clientFk,
+ t.warehouseFk,
+ t.companyFk,
+ t.addressFk,
+ tt.agencyModeFk,
+ ti.dated
+ FROM ticketWeekly tt
+ JOIN ticket t ON tt.ticketFk = t.id
+ JOIN tmp.time ti
+ WHERE WEEKDAY(ti.dated) = tt.weekDay;
- DECLARE CONTINUE HANDLER FOR NOT FOUND SET vIsDone = TRUE;
-
- CALL `util`.`time_generate`(vDateFrom,vDateTo);
-
- OPEN rsTicket;
- myLoop: LOOP
- BEGIN
- DECLARE vSalesPersonEmail VARCHAR(150);
- DECLARE vIsDuplicateMail BOOL;
- DECLARE vSubject VARCHAR(150);
- DECLARE vMessage TEXT;
+ DECLARE CONTINUE HANDLER FOR NOT FOUND SET vDone = TRUE;
- SET vIsDone = FALSE;
- FETCH rsTicket INTO
+ CALL `util`.`time_generate`(vDateFrom, vDateTo);
+
+ OPEN vTickets;
+ l: LOOP
+ SET vDone = FALSE;
+ FETCH vTickets INTO
vTicketFk,
vClientFk,
vWarehouseFk,
@@ -53,11 +53,11 @@ BEGIN
vAgencyModeFk,
vShipment;
- IF vIsDone THEN
- LEAVE myLoop;
+ IF vDone THEN
+ LEAVE l;
END IF;
- -- busca si el ticket ya ha sido clonado
+ -- Busca si el ticket ya ha sido clonado
IF EXISTS (SELECT TRUE FROM ticket tOrig
JOIN sale saleOrig ON tOrig.id = saleOrig.ticketFk
JOIN saleCloned sc ON sc.saleOriginalFk = saleOrig.id
@@ -67,7 +67,7 @@ BEGIN
AND tClon.isDeleted = FALSE
AND DATE(tClon.shipped) = vShipment)
THEN
- ITERATE myLoop;
+ ITERATE l;
END IF;
IF vAgencyModeFk IS NULL THEN
@@ -107,15 +107,15 @@ BEGIN
priceFixed,
isPriceFixed)
SELECT vNewTicket,
- saleOrig.itemFk,
- saleOrig.concept,
- saleOrig.quantity,
- saleOrig.price,
- saleOrig.discount,
- saleOrig.priceFixed,
- saleOrig.isPriceFixed
- FROM sale saleOrig
- WHERE saleOrig.ticketFk = vTicketFk;
+ itemFk,
+ concept,
+ quantity,
+ price,
+ discount,
+ priceFixed,
+ isPriceFixed
+ FROM sale
+ WHERE ticketFk = vTicketFk;
INSERT IGNORE INTO saleCloned(saleOriginalFk, saleClonedFk)
SELECT saleOriginal.id, saleClon.id
@@ -152,15 +152,7 @@ BEGIN
attenderFk,
vNewTicket
FROM ticketRequest
- WHERE ticketFk =vTicketFk;
-
- SELECT id INTO vSalesPersonFK
- FROM observationType
- WHERE code = 'salesPerson';
-
- SELECT id INTO vItemPicker
- FROM observationType
- WHERE code = 'itemPicker';
+ WHERE ticketFk = vTicketFk;
INSERT INTO ticketObservation(
ticketFk,
@@ -168,7 +160,7 @@ BEGIN
description)
VALUES(
vNewTicket,
- vSalesPersonFK,
+ vObservationSalesPersonFk,
CONCAT('turno desde ticket: ',vTicketFk))
ON DUPLICATE KEY UPDATE description =
CONCAT(ticketObservation.description,VALUES(description),' ');
@@ -178,16 +170,17 @@ BEGIN
description)
VALUES(
vNewTicket,
- vItemPicker,
+ vObservationItemPickerFk,
'ATENCION: Contiene lineas de TURNO')
ON DUPLICATE KEY UPDATE description =
CONCAT(ticketObservation.description,VALUES(description),' ');
- IF (vLanding IS NULL) THEN
-
- SELECT e.email INTO vSalesPersonEmail
+ IF vLanding IS NULL THEN
+ SELECT IFNULL(d.notificationEmail, e.email) INTO vEmail
FROM client c
JOIN account.emailUser e ON e.userFk = c.salesPersonFk
+ LEFT JOIN workerDepartment wd ON wd.workerFk = c.salesPersonFk
+ LEFT JOIN department d ON d.id = wd.departmentFk
WHERE c.id = vClientFk;
SET vSubject = CONCAT('Turnos - No se ha podido clonar correctamente el ticket ',
@@ -199,20 +192,21 @@ BEGIN
SELECT COUNT(*) INTO vIsDuplicateMail
FROM mail
- WHERE receiver = vSalesPersonEmail
+ WHERE receiver = vEmail
AND subject = vSubject;
IF NOT vIsDuplicateMail THEN
- CALL mail_insert(vSalesPersonEmail, NULL, vSubject, vMessage);
+ CALL mail_insert(vEmail, NULL, vSubject, vMessage);
END IF;
CALL ticket_setState(vNewTicket, 'FIXING');
ELSE
CALL ticketCalculateClon(vNewTicket, vTicketFk);
END IF;
-
- END;
END LOOP;
- CLOSE rsTicket;
- DROP TEMPORARY TABLE IF EXISTS tmp.time, tmp.zoneGetLanded;
+ CLOSE vTickets;
+
+ DROP TEMPORARY TABLE IF EXISTS
+ tmp.time,
+ tmp.zoneGetLanded;
END$$
DELIMITER ;
diff --git a/db/routines/vn/procedures/zone_getAddresses.sql b/db/routines/vn/procedures/zone_getAddresses.sql
index ce7b0204e..0622ece1b 100644
--- a/db/routines/vn/procedures/zone_getAddresses.sql
+++ b/db/routines/vn/procedures/zone_getAddresses.sql
@@ -1,55 +1,57 @@
DELIMITER $$
CREATE OR REPLACE DEFINER=`root`@`localhost` PROCEDURE `vn`.`zone_getAddresses`(
vSelf INT,
- vLanded DATE
+ vShipped DATE,
+ vDepartmentFk INT
)
BEGIN
/**
* Devuelve un listado de todos los clientes activos
* con consignatarios a los que se les puede
- * vender producto para esa zona y no tiene un ticket
- * para ese día.
+ * vender producto para esa zona.
*
* @param vSelf Id de zona
- * @param vDated Fecha de entrega
+ * @param vShipped Fecha de envio
+ * @param vDepartmentFk Id de departamento
* @return Un select
*/
CALL zone_getPostalCode(vSelf);
- WITH notHasTicket AS (
- SELECT id
- FROM vn.client
- WHERE id NOT IN (
- SELECT clientFk
- FROM vn.ticket
- WHERE landed BETWEEN vLanded AND util.dayEnd(vLanded)
- )
+ WITH clientWithTicket AS (
+ SELECT clientFk
+ FROM vn.ticket
+ WHERE shipped BETWEEN vShipped AND util.dayEnd(vShipped)
)
- SELECT c.id clientFk,
- c.name,
- c.phone,
- bt.description,
- c.salesPersonFk,
- u.name username,
- aai.invoiced,
- cnb.lastShipped
- FROM vn.client c
- JOIN notHasTicket ON notHasTicket.id = c.id
- LEFT JOIN account.`user` u ON u.id = c.salesPersonFk
- JOIN vn.`address` a ON a.clientFk = c.id
- JOIN vn.postCode pc ON pc.code = a.postalCode
- JOIN vn.town t ON t.id = pc.townFk AND t.provinceFk = a.provinceFk
- JOIN vn.zoneGeo zg ON zg.name = a.postalCode
- JOIN tmp.zoneNodes zn ON zn.geoFk = pc.geoFk
- LEFT JOIN bs.clientNewBorn cnb ON cnb.clientFk = c.id
- LEFT JOIN vn.annualAverageInvoiced aai ON aai.clientFk = c.id
- JOIN vn.clientType ct ON ct.code = c.typeFk
- JOIN vn.businessType bt ON bt.code = c.businessTypeFk
- WHERE a.isActive
- AND c.isActive
- AND ct.code = 'normal'
- AND bt.code <> 'worker'
- GROUP BY c.id;
+ SELECT c.id,
+ c.name,
+ c.phone,
+ bt.description,
+ c.salesPersonFk,
+ u.name username,
+ aai.invoiced,
+ cnb.lastShipped,
+ cwt.clientFk
+ FROM vn.client c
+ JOIN vn.worker w ON w.id = c.salesPersonFk
+ JOIN vn.workerDepartment wd ON wd.workerFk = w.id
+ JOIN vn.department d ON d.id = wd.departmentFk
+ LEFT JOIN clientWithTicket cwt ON cwt.clientFk = c.id
+ LEFT JOIN account.`user` u ON u.id = c.salesPersonFk
+ JOIN vn.`address` a ON a.clientFk = c.id
+ JOIN vn.postCode pc ON pc.code = a.postalCode
+ JOIN vn.town t ON t.id = pc.townFk AND t.provinceFk = a.provinceFk
+ JOIN vn.zoneGeo zg ON zg.name = a.postalCode
+ JOIN tmp.zoneNodes zn ON zn.geoFk = pc.geoFk
+ LEFT JOIN bs.clientNewBorn cnb ON cnb.clientFk = c.id
+ LEFT JOIN vn.annualAverageInvoiced aai ON aai.clientFk = c.id
+ JOIN vn.clientType ct ON ct.code = c.typeFk
+ JOIN vn.businessType bt ON bt.code = c.businessTypeFk
+ WHERE a.isActive
+ AND c.isActive
+ AND ct.code = 'normal'
+ AND bt.code <> 'worker'
+ AND (d.id = vDepartmentFk OR NOT vDepartmentFk)
+ GROUP BY c.id;
DROP TEMPORARY TABLE tmp.zoneNodes;
END$$
diff --git a/db/versions/11165-grayAralia/00-firstScript.sql b/db/versions/11165-grayAralia/00-firstScript.sql
new file mode 100644
index 000000000..652b2343a
--- /dev/null
+++ b/db/versions/11165-grayAralia/00-firstScript.sql
@@ -0,0 +1,3 @@
+ALTER TABLE vn.productionConfig
+ DROP COLUMN scannableCodeType,
+ DROP COLUMN scannablePreviusCodeType;
diff --git a/db/versions/11166-azureDracena/00-firstScript.sql b/db/versions/11166-azureDracena/00-firstScript.sql
new file mode 100644
index 000000000..ba087b5a8
--- /dev/null
+++ b/db/versions/11166-azureDracena/00-firstScript.sql
@@ -0,0 +1,25 @@
+CREATE OR REPLACE TABLE `salix`.`ACLLog` (
+ `id` int(11) NOT NULL AUTO_INCREMENT,
+ `originFk` int(11) DEFAULT NULL,
+ `userFk` int(10) unsigned DEFAULT NULL,
+ `action` set('insert','update','delete','select') NOT NULL,
+ `creationDate` timestamp NULL DEFAULT current_timestamp(),
+ `description` text CHARACTER SET utf8mb3 COLLATE utf8mb3_general_ci DEFAULT NULL,
+ `changedModel` enum('Acl') NOT NULL DEFAULT 'Acl',
+ `oldInstance` longtext CHARACTER SET utf8mb4 COLLATE utf8mb4_bin DEFAULT NULL CHECK (json_valid(`oldInstance`)),
+ `newInstance` longtext CHARACTER SET utf8mb4 COLLATE utf8mb4_bin DEFAULT NULL CHECK (json_valid(`newInstance`)),
+ `changedModelId` int(11) NOT NULL,
+ `changedModelValue` varchar(45) DEFAULT NULL,
+ `summaryId` varchar(30) DEFAULT NULL,
+ PRIMARY KEY (`id`),
+ KEY `logRateuserFk` (`userFk`),
+ KEY `ACLLog_changedModel` (`changedModel`,`changedModelId`,`creationDate`),
+ KEY `ACLLog_originFk` (`originFk`,`creationDate`),
+ CONSTRAINT `aclUserFk` FOREIGN KEY (`userFk`) REFERENCES `account`.`user` (`id`) ON DELETE CASCADE ON UPDATE CASCADE
+) ENGINE=InnoDB AUTO_INCREMENT=0 DEFAULT CHARSET=utf8mb3 COLLATE=utf8mb3_unicode_ci;
+
+ALTER TABLE salix.ACL
+ ADD editorFk int(10) unsigned DEFAULT NULL NULL;
+
+ALTER TABLE vn.ticket
+ CHANGE editorFk editorFk int(10) unsigned DEFAULT NULL NULL AFTER risk;
diff --git a/db/versions/11179-whiteLaurel/00-firstScript.sql b/db/versions/11179-whiteLaurel/00-firstScript.sql
new file mode 100644
index 000000000..4a4e32c9d
--- /dev/null
+++ b/db/versions/11179-whiteLaurel/00-firstScript.sql
@@ -0,0 +1,2 @@
+RENAME TABLE vn.silexACL TO vn.silexACL__;
+ALTER TABLE vn.silexACL__ COMMENT='@deprecated 2024-08-05 refs #7820';
diff --git a/db/versions/11180-navyGerbera/00-firstScript.sql b/db/versions/11180-navyGerbera/00-firstScript.sql
new file mode 100644
index 000000000..8c5d79ce8
--- /dev/null
+++ b/db/versions/11180-navyGerbera/00-firstScript.sql
@@ -0,0 +1,2 @@
+-- Place your SQL code here
+ALTER TABLE vn.invoiceInConfig ADD balanceStartingDate DATE DEFAULT '2015-01-01' NOT NULL;
diff --git a/e2e/helpers/selectors.js b/e2e/helpers/selectors.js
index 685345273..097c6e1ab 100644
--- a/e2e/helpers/selectors.js
+++ b/e2e/helpers/selectors.js
@@ -738,69 +738,6 @@ export default {
worker: 'vn-worker-autocomplete[ng-model="$ctrl.userFk"]',
saveStateButton: `button[type=submit]`
},
- claimsIndex: {
- searchResult: 'vn-claim-index vn-card > vn-table > div > vn-tbody > a'
- },
- claimDescriptor: {
- moreMenu: 'vn-claim-descriptor vn-icon-button[icon=more_vert]',
- moreMenuDeleteClaim: '.vn-menu [name="deleteClaim"]',
- acceptDeleteClaim: '.vn-confirm.shown button[response="accept"]'
- },
- claimSummary: {
- header: 'vn-claim-summary > vn-card > h5',
- state: 'vn-claim-summary vn-label-value[label="State"] > section > span',
- observation: 'vn-claim-summary vn-horizontal.text',
- firstSaleItemId: 'vn-claim-summary vn-horizontal > vn-auto:nth-child(5) vn-table > div > vn-tbody > vn-tr:nth-child(1) > vn-td:nth-child(1) > span',
- firstSaleDescriptorImage: '.vn-popover.shown vn-item-descriptor img',
- itemDescriptorPopover: '.vn-popover.shown vn-item-descriptor',
- itemDescriptorPopoverItemDiaryButton: '.vn-popover vn-item-descriptor vn-quick-link[icon="icon-transaction"] > a',
- firstDevelopmentWorker: 'vn-claim-summary vn-horizontal > vn-auto:nth-child(4) vn-table > div > vn-tbody > vn-tr:nth-child(1) > vn-td:nth-child(4) > span',
- firstDevelopmentWorkerGoToClientButton: '.vn-popover vn-worker-descriptor vn-quick-link[icon="person"] > a',
- firstActionTicketId: 'vn-claim-summary > vn-card > vn-horizontal > vn-auto:nth-child(5) vn-table > div > vn-tbody > vn-tr > vn-td:nth-child(2) > span',
- firstActionTicketDescriptor: '.vn-popover.shown vn-ticket-descriptor'
- },
- claimBasicData: {
- claimState: 'vn-claim-basic-data vn-autocomplete[ng-model="$ctrl.claim.claimStateFk"]',
- packages: 'vn-input-number[ng-model="$ctrl.claim.packages"]',
- saveButton: `button[type=submit]`
- },
- claimDetail: {
- secondItemDiscount: 'vn-claim-detail > vn-vertical > vn-card > vn-vertical > vn-table > div > vn-tbody > vn-tr:nth-child(2) > vn-td:nth-child(6) > span',
- discount: '.vn-popover.shown vn-input-number[ng-model="$ctrl.newDiscount"]',
- discoutPopoverMana: '.vn-popover.shown .content > div > vn-horizontal > h5',
- addItemButton: 'vn-claim-detail a vn-float-button',
- firstClaimableSaleFromTicket: '.vn-dialog.shown vn-tbody > vn-tr',
- claimDetailLine: 'vn-claim-detail > vn-vertical > vn-card > vn-vertical > vn-table > div > vn-tbody > vn-tr',
- totalClaimed: 'vn-claim-detail > vn-vertical > vn-card > vn-vertical > vn-horizontal > div > vn-label-value:nth-child(2) > section > span',
- secondItemDeleteButton: 'vn-claim-detail > vn-vertical > vn-card > vn-vertical > vn-table > div > vn-tbody > vn-tr:nth-child(2) > vn-td:nth-child(8) > vn-icon-button > button > vn-icon > i'
- },
- claimDevelopment: {
- addDevelopmentButton: 'vn-claim-development > vn-vertical > vn-card > vn-vertical > vn-one > vn-icon-button > button > vn-icon',
- firstDeleteDevelopmentButton: 'vn-claim-development > vn-vertical > vn-card > vn-vertical > form > vn-horizontal:nth-child(2) > vn-icon-button > button > vn-icon',
- firstClaimReason: 'vn-claim-development vn-horizontal:nth-child(1) vn-autocomplete[ng-model="claimDevelopment.claimReasonFk"]',
- firstClaimResult: 'vn-claim-development vn-horizontal:nth-child(1) vn-autocomplete[ng-model="claimDevelopment.claimResultFk"]',
- firstClaimResponsible: 'vn-claim-development vn-horizontal:nth-child(1) vn-autocomplete[ng-model="claimDevelopment.claimResponsibleFk"]',
- firstClaimWorker: 'vn-claim-development vn-horizontal:nth-child(1) vn-worker-autocomplete[ng-model="claimDevelopment.workerFk"]',
- firstClaimRedelivery: 'vn-claim-development vn-horizontal:nth-child(1) vn-autocomplete[ng-model="claimDevelopment.claimRedeliveryFk"]',
- secondClaimReason: 'vn-claim-development vn-horizontal:nth-child(2) vn-autocomplete[ng-model="claimDevelopment.claimReasonFk"]',
- secondClaimResult: 'vn-claim-development vn-horizontal:nth-child(2) vn-autocomplete[ng-model="claimDevelopment.claimResultFk"]',
- secondClaimResponsible: 'vn-claim-development vn-horizontal:nth-child(2) vn-autocomplete[ng-model="claimDevelopment.claimResponsibleFk"]',
- secondClaimWorker: 'vn-claim-development vn-horizontal:nth-child(2) vn-worker-autocomplete[ng-model="claimDevelopment.workerFk"]',
- secondClaimRedelivery: 'vn-claim-development vn-horizontal:nth-child(2) vn-autocomplete[ng-model="claimDevelopment.claimRedeliveryFk"]',
- saveDevelopmentButton: 'button[type=submit]'
- },
- claimNote: {
- addNoteFloatButton: 'vn-float-button',
- note: 'vn-textarea[ng-model="$ctrl.note.text"]',
- saveButton: 'button[type=submit]',
- firstNoteText: 'vn-claim-note .text'
- },
- claimAction: {
- importClaimButton: 'vn-claim-action vn-button[label="Import claim"]',
- anyLine: 'vn-claim-action vn-tbody > vn-tr',
- firstDeleteLine: 'vn-claim-action tr:nth-child(2) vn-icon-button[icon="delete"]',
- isPaidWithManaCheckbox: 'vn-claim-action vn-check[ng-model="$ctrl.claim.isChargedToMana"]'
- },
ordersIndex: {
secondSearchResultTotal: 'vn-order-index vn-card > vn-table > div > vn-tbody .vn-tr:nth-child(2) vn-td:nth-child(9)',
advancedSearchButton: 'vn-order-search-panel vn-submit[label="Search"]',
diff --git a/e2e/paths/03-worker/01-department/01_summary.spec.js b/e2e/paths/03-worker/01-department/01_summary.spec.js
deleted file mode 100644
index e4bf8fc2d..000000000
--- a/e2e/paths/03-worker/01-department/01_summary.spec.js
+++ /dev/null
@@ -1,29 +0,0 @@
-import selectors from '../../../helpers/selectors.js';
-import getBrowser from '../../../helpers/puppeteer';
-
-describe('department summary path', () => {
- let browser;
- let page;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('hr', 'worker');
- await page.accessToSection('worker.department');
- await page.doSearch('INFORMATICA');
- await page.click(selectors.department.firstDepartment);
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should reach the employee summary section and check all properties', async() => {
- expect(await page.waitToGetProperty(selectors.departmentSummary.header, 'innerText')).toEqual('INFORMATICA');
- expect(await page.getProperty(selectors.departmentSummary.name, 'innerText')).toEqual('INFORMATICA');
- expect(await page.getProperty(selectors.departmentSummary.code, 'innerText')).toEqual('it');
- expect(await page.getProperty(selectors.departmentSummary.chat, 'innerText')).toEqual('informatica-cau');
- expect(await page.getProperty(selectors.departmentSummary.bossDepartment, 'innerText')).toEqual('');
- expect(await page.getProperty(selectors.departmentSummary.email, 'innerText')).toEqual('-');
- expect(await page.getProperty(selectors.departmentSummary.clientFk, 'innerText')).toEqual('-');
- });
-});
diff --git a/e2e/paths/03-worker/01-department/02-basicData.spec.js b/e2e/paths/03-worker/01-department/02-basicData.spec.js
deleted file mode 100644
index 219d1426c..000000000
--- a/e2e/paths/03-worker/01-department/02-basicData.spec.js
+++ /dev/null
@@ -1,43 +0,0 @@
-import getBrowser from '../../../helpers/puppeteer';
-import selectors from '../../../helpers/selectors.js';
-
-const $ = {
- form: 'vn-worker-department-basic-data form',
-};
-
-describe('department summary path', () => {
- let browser;
- let page;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('hr', 'worker');
- await page.accessToSection('worker.department');
- await page.doSearch('INFORMATICA');
- await page.click(selectors.department.firstDepartment);
- });
-
- beforeEach(async() => {
- await page.accessToSection('worker.department.card.basicData');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it(`should edit the department basic data and confirm the department data was edited`, async() => {
- const values = {
- Name: 'Informatica',
- Code: 'IT',
- Chat: 'informatica-cau',
- Email: 'it@verdnatura.es',
- };
-
- await page.fillForm($.form, values);
- const formValues = await page.fetchForm($.form, Object.keys(values));
- const message = await page.sendForm($.form, values);
-
- expect(message.isSuccess).toBeTrue();
- expect(formValues).toEqual(values);
- });
-});
diff --git a/e2e/paths/03-worker/01_summary.spec.js b/e2e/paths/03-worker/01_summary.spec.js
deleted file mode 100644
index 51992b41d..000000000
--- a/e2e/paths/03-worker/01_summary.spec.js
+++ /dev/null
@@ -1,34 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Worker summary path', () => {
- const workerId = 3;
- let browser;
- let page;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('employee', 'worker');
- const httpDataResponse = page.waitForResponse(response => {
- return response.status() === 200 && response.url().includes(`Workers/${workerId}`);
- });
- await page.accessToSearchResult('agencyNick');
- await httpDataResponse;
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should reach the employee summary section and check all properties', async() => {
- expect(await page.getProperty(selectors.workerSummary.header, 'innerText')).toEqual('agency agency');
- expect(await page.getProperty(selectors.workerSummary.id, 'innerText')).toEqual('3');
- expect(await page.getProperty(selectors.workerSummary.email, 'innerText')).toEqual('agency@verdnatura.es');
- expect(await page.getProperty(selectors.workerSummary.department, 'innerText')).toEqual('CAMARA');
- expect(await page.getProperty(selectors.workerSummary.userId, 'innerText')).toEqual('3');
- expect(await page.getProperty(selectors.workerSummary.userName, 'innerText')).toEqual('agency');
- expect(await page.getProperty(selectors.workerSummary.role, 'innerText')).toEqual('agency');
- expect(await page.getProperty(selectors.workerSummary.extension, 'innerText')).toEqual('1101');
- expect(await page.getProperty(selectors.workerSummary.locker, 'innerText')).toEqual('-');
- });
-});
diff --git a/e2e/paths/03-worker/02_basicData.spec.js b/e2e/paths/03-worker/02_basicData.spec.js
deleted file mode 100644
index 66a597dd1..000000000
--- a/e2e/paths/03-worker/02_basicData.spec.js
+++ /dev/null
@@ -1,40 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Worker basic data path', () => {
- const workerId = 1106;
- let browser;
- let page;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('hr', 'worker');
- const httpDataResponse = page.waitForResponse(response => {
- return response.status() === 200 && response.url().includes(`Workers/${workerId}`);
- });
- await page.accessToSearchResult('David Charles Haller');
- await httpDataResponse;
- await page.accessToSection('worker.card.basicData');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should edit the form and then reload the section and check the data was edited', async() => {
- await page.overwrite(selectors.workerBasicData.name, 'David C.');
- await page.overwrite(selectors.workerBasicData.surname, 'H.');
- await page.overwrite(selectors.workerBasicData.phone, '444332211');
- await page.click(selectors.workerBasicData.saveButton);
-
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
-
- await page.reloadSection('worker.card.basicData');
-
- expect(await page.waitToGetProperty(selectors.workerBasicData.name, 'value')).toEqual('David C.');
- expect(await page.waitToGetProperty(selectors.workerBasicData.surname, 'value')).toEqual('H.');
- expect(await page.waitToGetProperty(selectors.workerBasicData.phone, 'value')).toEqual('444332211');
- });
-});
diff --git a/e2e/paths/03-worker/03_pbx.spec.js b/e2e/paths/03-worker/03_pbx.spec.js
deleted file mode 100644
index 0e8003c47..000000000
--- a/e2e/paths/03-worker/03_pbx.spec.js
+++ /dev/null
@@ -1,32 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Worker pbx path', () => {
- let browser;
- let page;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('hr', 'worker');
- await page.accessToSearchResult('employee');
- await page.accessToSection('worker.card.pbx');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should receive an error when the extension exceeds 4 characters and then sucessfully save the changes', async() => {
- await page.write(selectors.workerPbx.extension, '55555');
- await page.click(selectors.workerPbx.saveButton);
- let message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Extension format is invalid');
-
- await page.overwrite(selectors.workerPbx.extension, '4444');
- await page.click(selectors.workerPbx.saveButton);
- message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved! User must access web');
- });
-});
diff --git a/e2e/paths/03-worker/04_time_control.spec.js b/e2e/paths/03-worker/04_time_control.spec.js
deleted file mode 100644
index c6589d2e3..000000000
--- a/e2e/paths/03-worker/04_time_control.spec.js
+++ /dev/null
@@ -1,65 +0,0 @@
-/* eslint max-len: ["error", { "code": 150 }]*/
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Worker time control path', () => {
- let browser;
- let page;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('salesBoss', 'worker');
- await page.accessToSearchResult('HankPym');
- await page.accessToSection('worker.card.timeControl');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- const eightAm = '08:00';
- const fourPm = '16:00';
- const hankPymId = 1107;
-
- it('should go to the next month, go to current month and go 1 month in the past', async() => {
- let date = Date.vnNew();
- date.setDate(1);
- date.setMonth(date.getMonth() + 1);
- let month = date.toLocaleString('default', {month: 'long'});
-
- await page.waitToClick(selectors.workerTimeControl.nextMonthButton);
- let result = await page.getProperty(selectors.workerTimeControl.monthName, 'innerText');
-
- expect(result).toContain(month);
-
- date = Date.vnNew();
- date.setDate(1);
- month = date.toLocaleString('default', {month: 'long'});
-
- await page.waitToClick(selectors.workerTimeControl.previousMonthButton);
- result = await page.getProperty(selectors.workerTimeControl.monthName, 'innerText');
-
- expect(result).toContain(month);
-
- date = Date.vnNew();
- date.setDate(1);
- date.setMonth(date.getMonth() - 1);
- const timestamp = Math.round(date.getTime() / 1000);
- month = date.toLocaleString('default', {month: 'long'});
-
- await page.loginAndModule('salesBoss', 'worker');
- await page.goto(`http://localhost:5000/#!/worker/${hankPymId}/time-control?timestamp=${timestamp}`);
- await page.waitToClick(selectors.workerTimeControl.secondWeekDay);
-
- result = await page.getProperty(selectors.workerTimeControl.monthName, 'innerText');
-
- expect(result).toContain(month);
- });
-
- it('should change week of month', async() => {
- await page.click(selectors.workerTimeControl.thrirdWeekDay);
- const result = await page.getProperty(selectors.workerTimeControl.mondayWorkedHours, 'innerText');
-
- expect(result).toEqual('00:00 h.');
- });
-});
diff --git a/e2e/paths/03-worker/05_calendar.spec.js b/e2e/paths/03-worker/05_calendar.spec.js
deleted file mode 100644
index f0af0a053..000000000
--- a/e2e/paths/03-worker/05_calendar.spec.js
+++ /dev/null
@@ -1,114 +0,0 @@
-/* eslint-disable max-len */
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Worker calendar path', () => {
- const reasonableTimeBetweenClicks = 300;
- const date = Date.vnNew();
- const lastYear = (date.getFullYear() - 1).toString();
-
- let browser;
- let page;
-
- async function accessAs(user) {
- await page.loginAndModule(user, 'worker');
- await page.accessToSearchResult('Charles Xavier');
- await page.accessToSection('worker.card.calendar');
- }
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- accessAs('hr');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- describe('as hr', () => {
- it('should set two days as holidays on the calendar and check the total holidays increased by 1.5', async() => {
- await page.waitToClick(selectors.workerCalendar.holidays);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.penultimateMondayOfJanuary);
-
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.absence);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.lastMondayOfMarch);
-
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.halfHoliday);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.fistMondayOfMay);
-
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.furlough);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.secondTuesdayOfMay);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.secondWednesdayOfMay);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.secondThursdayOfMay);
-
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.halfFurlough);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.click(selectors.workerCalendar.secondFridayOfJun);
-
- expect(await page.getProperty(selectors.workerCalendar.totalHolidaysUsed, 'innerText')).toContain(' 1.5 ');
- });
- });
-
- describe(`as salesBoss`, () => {
- it(`should log in, get to Charles Xavier's calendar, undo what was done here, and check the total holidays used are back to what it was`, async() => {
- accessAs('salesBoss');
-
- await page.waitToClick(selectors.workerCalendar.holidays);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.penultimateMondayOfJanuary);
-
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.absence);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.lastMondayOfMarch);
-
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.halfHoliday);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.fistMondayOfMay);
-
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.furlough);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.secondTuesdayOfMay);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.secondWednesdayOfMay);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.secondThursdayOfMay);
-
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.halfFurlough);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
- await page.waitToClick(selectors.workerCalendar.secondFridayOfJun);
-
- expect(await page.getProperty(selectors.workerCalendar.totalHolidaysUsed, 'innerText')).toContain(' 0 ');
- });
- });
-
- describe(`as Charles Xavier`, () => {
- it('should log in and get to his calendar, make a futile attempt to add holidays, check the total holidays used are now the initial ones and use the year selector to go to the previous year', async() => {
- accessAs('CharlesXavier');
- await page.waitToClick(selectors.workerCalendar.holidays);
- await page.waitForTimeout(reasonableTimeBetweenClicks);
-
- await page.click(selectors.workerCalendar.penultimateMondayOfJanuary);
-
- expect(await page.getProperty(selectors.workerCalendar.totalHolidaysUsed, 'innerText')).toContain(' 0 ');
-
- await page.autocompleteSearch(selectors.workerCalendar.year, lastYear);
-
- expect(await page.getProperty(selectors.workerCalendar.totalHolidaysUsed, 'innerText')).toContain(' 0 ');
- });
- });
-});
diff --git a/e2e/paths/03-worker/06_create.spec.js b/e2e/paths/03-worker/06_create.spec.js
deleted file mode 100644
index 2accdfc31..000000000
--- a/e2e/paths/03-worker/06_create.spec.js
+++ /dev/null
@@ -1,73 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Worker create path', () => {
- let browser;
- let page;
- let newWorker;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('hr', 'worker');
- await page.waitToClick(selectors.workerCreate.newWorkerButton);
- await page.waitForState('worker.create');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should insert default data', async() => {
- await page.write(selectors.workerCreate.firstname, 'Victor');
- await page.write(selectors.workerCreate.lastname, 'Von Doom');
- await page.write(selectors.workerCreate.fi, '78457139E');
- await page.write(selectors.workerCreate.phone, '12356789');
- await page.write(selectors.workerCreate.postcode, '46680');
- await page.write(selectors.workerCreate.street, 'S/ DOOMSTADT');
- await page.write(selectors.workerCreate.email, 'doctorDoom@marvel.com');
- await page.write(selectors.workerCreate.iban, 'ES9121000418450200051332');
-
- // should check for autocompleted worker code and worker user name
- const workerCode = await page
- .waitToGetProperty(selectors.workerCreate.code, 'value');
-
- newWorker = await page
- .waitToGetProperty(selectors.workerCreate.user, 'value');
-
- expect(workerCode).toEqual('VVD');
- expect(newWorker).toContain('victorvd');
-
- // should fail if necessary data is void
- await page.waitToClick(selectors.workerCreate.createButton);
- let message = await page.waitForSnackbar();
-
- expect(message.text).toContain('is a required argument');
-
- // should create a new worker and go to worker basic data'
- await page.pickDate(selectors.workerCreate.birth, new Date(1962, 8, 5));
- await page.autocompleteSearch(selectors.workerCreate.boss, 'deliveryAssistant');
- await page.waitToClick(selectors.workerCreate.createButton);
- message = await page.waitForSnackbar();
- await page.waitForState('worker.card.basicData');
-
- expect(message.text).toContain('Data saved!');
-
- // 'rollback'
- await page.loginAndModule('itManagement', 'account');
- await page.accessToSearchResult(newWorker);
-
- await page.waitToClick(selectors.accountDescriptor.menuButton);
- await page.waitToClick(selectors.accountDescriptor.deactivateUser);
- await page.waitToClick(selectors.accountDescriptor.acceptButton);
- message = await page.waitForSnackbar();
-
- expect(message.text).toContain('User deactivated!');
-
- await page.waitToClick(selectors.accountDescriptor.menuButton);
- await page.waitToClick(selectors.accountDescriptor.disableAccount);
- await page.waitToClick(selectors.accountDescriptor.acceptButton);
- message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Account disabled!');
- });
-});
diff --git a/e2e/paths/03-worker/08_add_notes.spec.js b/e2e/paths/03-worker/08_add_notes.spec.js
deleted file mode 100644
index bdc475c90..000000000
--- a/e2e/paths/03-worker/08_add_notes.spec.js
+++ /dev/null
@@ -1,42 +0,0 @@
-import selectors from '../../helpers/selectors';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Worker Add notes path', () => {
- let browser;
- let page;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('hr', 'worker');
- await page.accessToSearchResult('Bruce Banner');
- await page.accessToSection('worker.card.note.index');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it(`should reach the notes index`, async() => {
- await page.waitForState('worker.card.note.index');
- });
-
- it(`should click on the add note button`, async() => {
- await page.waitToClick(selectors.workerNotes.addNoteFloatButton);
- await page.waitForState('worker.card.note.create');
- });
-
- it(`should create a note`, async() => {
- await page.waitForSelector(selectors.workerNotes.note);
- await page.type(`${selectors.workerNotes.note} textarea`, 'Meeting with Black Widow 21st 9am');
- await page.waitToClick(selectors.workerNotes.saveButton);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-
- it('should confirm the note was created', async() => {
- const result = await page.waitToGetProperty(selectors.workerNotes.firstNoteText, 'innerText');
-
- expect(result).toEqual('Meeting with Black Widow 21st 9am');
- });
-});
diff --git a/e2e/paths/05-ticket/01-sale/02_edit_sale.spec.js b/e2e/paths/05-ticket/01-sale/02_edit_sale.spec.js
index e0f32fc3a..d9689e31a 100644
--- a/e2e/paths/05-ticket/01-sale/02_edit_sale.spec.js
+++ b/e2e/paths/05-ticket/01-sale/02_edit_sale.spec.js
@@ -19,7 +19,9 @@ describe('Ticket Edit sale path', () => {
it(`should click on the first sale claim icon to navigate over there`, async() => {
await page.waitToClick(selectors.ticketSales.firstSaleClaimIcon);
- await page.waitForState('claim.card.basicData');
+ await page.waitForNavigation();
+ await page.goBack();
+ await page.goBack();
});
it('should navigate to the tickets index', async() => {
@@ -243,29 +245,13 @@ describe('Ticket Edit sale path', () => {
await page.waitToClick(selectors.ticketSales.moreMenu);
await page.waitToClick(selectors.ticketSales.moreMenuCreateClaim);
await page.waitToClick(selectors.globalItems.acceptButton);
- await page.waitForState('claim.card.basicData');
- });
-
- it('should click on the Claims button of the top bar menu', async() => {
- await page.waitToClick(selectors.globalItems.applicationsMenuButton);
- await page.waitForSelector(selectors.globalItems.applicationsMenuVisible);
- await page.waitToClick(selectors.globalItems.claimsButton);
- await page.waitForState('claim.index');
- });
-
- it('should search for the claim with id 4', async() => {
- await page.accessToSearchResult('4');
- await page.waitForState('claim.card.summary');
- });
-
- it('should click the Tickets button of the top bar menu', async() => {
- await page.waitToClick(selectors.globalItems.applicationsMenuButton);
- await page.waitForSelector(selectors.globalItems.applicationsMenuVisible);
- await page.waitToClick(selectors.globalItems.ticketsButton);
- await page.waitForState('ticket.index');
+ await page.waitForNavigation();
});
it('should search for a ticket then access to the sales section', async() => {
+ await page.goBack();
+ await page.goBack();
+ await page.loginAndModule('salesPerson', 'ticket');
await page.accessToSearchResult('16');
await page.accessToSection('ticket.card.sale');
});
diff --git a/e2e/paths/06-claim/01_basic_data.spec.js b/e2e/paths/06-claim/01_basic_data.spec.js
deleted file mode 100644
index 33c68183f..000000000
--- a/e2e/paths/06-claim/01_basic_data.spec.js
+++ /dev/null
@@ -1,61 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Claim edit basic data path', () => {
- let browser;
- let page;
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it(`should log in as claimManager then reach basic data of the target claim`, async() => {
- await page.loginAndModule('claimManager', 'claim');
- await page.accessToSearchResult('1');
- await page.accessToSection('claim.card.basicData');
- });
-
- it(`should edit claim state and observation fields`, async() => {
- await page.autocompleteSearch(selectors.claimBasicData.claimState, 'Resuelto');
- await page.clearInput(selectors.claimBasicData.packages);
- await page.write(selectors.claimBasicData.packages, '2');
- await page.waitToClick(selectors.claimBasicData.saveButton);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-
- it(`should have been redirected to the next section of claims as the role is claimManager`, async() => {
- await page.waitForState('claim.card.detail');
- });
-
- it('should confirm the claim state was edited', async() => {
- await page.reloadSection('claim.card.basicData');
- await page.waitForSelector(selectors.claimBasicData.claimState);
- const result = await page.waitToGetProperty(selectors.claimBasicData.claimState, 'value');
-
- expect(result).toEqual('Resuelto');
- });
-
- it('should confirm the claim packages was edited', async() => {
- const result = await page
- .waitToGetProperty(selectors.claimBasicData.packages, 'value');
-
- expect(result).toEqual('2');
- });
-
- it(`should edit the claim to leave it untainted`, async() => {
- await page.autocompleteSearch(selectors.claimBasicData.claimState, 'Pendiente');
- await page.clearInput(selectors.claimBasicData.packages);
- await page.write(selectors.claimBasicData.packages, '0');
- await page.waitToClick(selectors.claimBasicData.saveButton);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-});
diff --git a/e2e/paths/06-claim/03_claim_action.spec.js b/e2e/paths/06-claim/03_claim_action.spec.js
deleted file mode 100644
index ac6f72e37..000000000
--- a/e2e/paths/06-claim/03_claim_action.spec.js
+++ /dev/null
@@ -1,54 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer.js';
-
-describe('Claim action path', () => {
- let browser;
- let page;
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('claimManager', 'claim');
- await page.accessToSearchResult('2');
- await page.accessToSection('claim.card.action');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should import the claim', async() => {
- await page.waitToClick(selectors.claimAction.importClaimButton);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-
- it('should delete the first line', async() => {
- await page.waitToClick(selectors.claimAction.firstDeleteLine);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-
- it('should refresh the view to check not have lines', async() => {
- await page.reloadSection('claim.card.action');
- const result = await page.countElement(selectors.claimAction.anyLine);
-
- expect(result).toEqual(0);
- });
-
- it('should check the "is paid with mana" checkbox', async() => {
- await page.waitToClick(selectors.claimAction.isPaidWithManaCheckbox);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-
- it('should confirm the "is paid with mana" is checked', async() => {
- await page.reloadSection('claim.card.action');
- const isPaidWithManaCheckbox = await page.checkboxState(selectors.claimAction.isPaidWithManaCheckbox);
-
- expect(isPaidWithManaCheckbox).toBe('checked');
- });
-});
diff --git a/e2e/paths/06-claim/04_summary.spec.js b/e2e/paths/06-claim/04_summary.spec.js
deleted file mode 100644
index dda8484a6..000000000
--- a/e2e/paths/06-claim/04_summary.spec.js
+++ /dev/null
@@ -1,96 +0,0 @@
-
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer.js';
-
-describe('Claim summary path', () => {
- let browser;
- let page;
- const claimId = '4';
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should navigate to the target claim summary section', async() => {
- await page.loginAndModule('salesPerson', 'claim');
- await page.accessToSearchResult(claimId);
- await page.waitForState('claim.card.summary');
- });
-
- it(`should display details from the claim and it's client on the top of the header`, async() => {
- await page.waitForTextInElement(selectors.claimSummary.header, 'Tony Stark');
- const result = await page.waitToGetProperty(selectors.claimSummary.header, 'innerText');
-
- expect(result).toContain('4 -');
- expect(result).toContain('Tony Stark');
- });
-
- it('should display the claim state', async() => {
- const result = await page.waitToGetProperty(selectors.claimSummary.state, 'innerText');
-
- expect(result).toContain('Resuelto');
- });
-
- it('should display the observation', async() => {
- const result = await page.waitToGetProperty(selectors.claimSummary.observation, 'innerText');
-
- expect(result).toContain('Wisi forensibus mnesarchum in cum. Per id impetus abhorreant');
- });
-
- it('should display the claimed line(s)', async() => {
- const result = await page.waitToGetProperty(selectors.claimSummary.firstSaleItemId, 'innerText');
-
- expect(result).toContain('2');
- });
-
- it(`should click on the first sale ID making the item descriptor visible`, async() => {
- const firstItem = selectors.claimSummary.firstSaleItemId;
- await page.evaluate(selectors => {
- document.querySelector(selectors).scrollIntoView();
- }, firstItem);
- await page.click(firstItem);
- await page.waitImgLoad(selectors.claimSummary.firstSaleDescriptorImage);
- const visible = await page.isVisible(selectors.claimSummary.itemDescriptorPopover);
-
- expect(visible).toBeTruthy();
- });
-
- it(`should check the url for the item diary link of the descriptor is for the right item id`, async() => {
- await page.waitForSelector(selectors.claimSummary.itemDescriptorPopoverItemDiaryButton, {visible: true});
-
- await page.closePopup();
- });
-
- it('should display the claim development details', async() => {
- const result = await page.waitToGetProperty(selectors.claimSummary.firstDevelopmentWorker, 'innerText');
-
- expect(result).toContain('salesAssistantNick');
- });
-
- it(`should click on the first development worker making the worker descriptor visible`, async() => {
- await page.waitToClick(selectors.claimSummary.firstDevelopmentWorker);
-
- const visible = await page.isVisible(selectors.claimSummary.firstDevelopmentWorkerGoToClientButton);
-
- expect(visible).toBeTruthy();
- });
-
- it(`should check the url for the go to clientlink of the descriptor is for the right client id`, async() => {
- await page.waitForSelector(selectors.claimSummary.firstDevelopmentWorkerGoToClientButton, {visible: true});
-
- await page.closePopup();
- });
-
- it(`should click on the first action ticket ID making the ticket descriptor visible`, async() => {
- await page.waitToClick(selectors.claimSummary.firstActionTicketId);
- await page.waitForSelector(selectors.claimSummary.firstActionTicketDescriptor);
- const visible = await page.isVisible(selectors.claimSummary.firstActionTicketDescriptor);
-
- expect(visible).toBeTruthy();
- });
-});
diff --git a/e2e/paths/06-claim/05_descriptor.spec.js b/e2e/paths/06-claim/05_descriptor.spec.js
deleted file mode 100644
index 49912b26a..000000000
--- a/e2e/paths/06-claim/05_descriptor.spec.js
+++ /dev/null
@@ -1,58 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer.js';
-
-describe('Claim descriptor path', () => {
- let browser;
- let page;
- const claimId = '1';
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should now navigate to the target claim summary section', async() => {
- await page.loginAndModule('salesPerson', 'claim');
- await page.accessToSearchResult(claimId);
- await page.waitForState('claim.card.summary');
- });
-
- it(`should not be able to see the delete claim button of the descriptor more menu`, async() => {
- await page.waitToClick(selectors.claimDescriptor.moreMenu);
- await page.waitForSelector(selectors.claimDescriptor.moreMenuDeleteClaim, {hidden: true});
- });
-
- it(`should log in as claimManager and navigate to the target claim`, async() => {
- await page.loginAndModule('claimManager', 'claim');
- await page.accessToSearchResult(claimId);
- await page.waitForState('claim.card.summary');
- });
-
- it(`should be able to see the delete claim button of the descriptor more menu`, async() => {
- await page.waitToClick(selectors.claimDescriptor.moreMenu);
- await page.waitForSelector(selectors.claimDescriptor.moreMenuDeleteClaim, {visible: true});
- });
-
- it(`should delete the claim`, async() => {
- await page.waitToClick(selectors.claimDescriptor.moreMenuDeleteClaim);
- await page.waitToClick(selectors.claimDescriptor.acceptDeleteClaim);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Claim deleted!');
- });
-
- it(`should have been relocated to the claim index`, async() => {
- await page.waitForState('claim.index');
- });
-
- it(`should search for the deleted claim to find no results`, async() => {
- await page.doSearch(claimId);
- const nResults = await page.countElement(selectors.claimsIndex.searchResult);
-
- expect(nResults).toEqual(0);
- });
-});
diff --git a/e2e/paths/06-claim/06_note.spec.js b/e2e/paths/06-claim/06_note.spec.js
deleted file mode 100644
index 830f77cbe..000000000
--- a/e2e/paths/06-claim/06_note.spec.js
+++ /dev/null
@@ -1,46 +0,0 @@
-import selectors from '../../helpers/selectors';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('Claim Add note path', () => {
- let browser;
- let page;
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('salesPerson', 'claim');
- await page.accessToSearchResult('2');
- await page.accessToSection('claim.card.note.index');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it(`should reach the claim note index`, async() => {
- await page.waitForState('claim.card.note.index');
- });
-
- it(`should click on the add new note button`, async() => {
- await page.waitToClick(selectors.claimNote.addNoteFloatButton);
- await page.waitForState('claim.card.note.create');
- });
-
- it(`should create a new note`, async() => {
- await page.waitForSelector(selectors.claimNote.note);
- await page.type(`${selectors.claimNote.note} textarea`, 'The delivery was unsuccessful');
- await page.waitToClick(selectors.claimNote.saveButton);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-
- it(`should redirect back to the claim notes page`, async() => {
- await page.waitForState('claim.card.note.index');
- });
-
- it('should confirm the note was created', async() => {
- const result = await page.waitToGetProperty(selectors.claimNote.firstNoteText, 'innerText');
-
- expect(result).toEqual('The delivery was unsuccessful');
- });
-});
diff --git a/e2e/paths/09-invoice-in/01_summary.spec.js b/e2e/paths/09-invoice-in/01_summary.spec.js
deleted file mode 100644
index d5932efd0..000000000
--- a/e2e/paths/09-invoice-in/01_summary.spec.js
+++ /dev/null
@@ -1,28 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('InvoiceIn summary path', () => {
- let browser;
- let page;
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('administrative', 'invoiceIn');
- await page.accessToSearchResult('1');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should reach the summary section', async() => {
- await page.waitForState('invoiceIn.card.summary');
- });
-
- it('should contain some basic data from the invoice', async() => {
- const result = await page.waitToGetProperty(selectors.invoiceInSummary.supplierRef, 'innerText');
-
- expect(result).toEqual('1234');
- });
-});
diff --git a/e2e/paths/09-invoice-in/02_descriptor.spec.js b/e2e/paths/09-invoice-in/02_descriptor.spec.js
deleted file mode 100644
index 02bbce7ac..000000000
--- a/e2e/paths/09-invoice-in/02_descriptor.spec.js
+++ /dev/null
@@ -1,52 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('InvoiceIn descriptor path', () => {
- let browser;
- let page;
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('administrative', 'invoiceIn');
- await page.accessToSearchResult('10');
- await page.accessToSection('invoiceIn.card.basicData');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should clone the invoiceIn using the descriptor more menu', async() => {
- await page.waitToClick(selectors.invoiceInDescriptor.moreMenu);
- await page.waitToClick(selectors.invoiceInDescriptor.moreMenuCloneInvoiceIn);
- await page.waitToClick(selectors.invoiceInDescriptor.acceptButton);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('InvoiceIn cloned');
- });
-
- it('should have been redirected to the created invoiceIn summary', async() => {
- await page.waitForState('invoiceIn.card.summary');
- });
-
- it('should delete the cloned invoiceIn using the descriptor more menu', async() => {
- await page.waitToClick(selectors.invoiceInDescriptor.moreMenu);
- await page.waitToClick(selectors.invoiceInDescriptor.moreMenuDeleteInvoiceIn);
- await page.waitToClick(selectors.invoiceInDescriptor.acceptButton);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('InvoiceIn deleted');
- });
-
- it('should have been relocated to the invoiceOut index', async() => {
- await page.waitForState('invoiceIn.index');
- });
-
- it(`should search for the deleted invouceOut to find no results`, async() => {
- await page.doSearch('10');
- const nResults = await page.countElement(selectors.invoiceOutIndex.searchResult);
-
- expect(nResults).toEqual(0);
- });
-});
diff --git a/e2e/paths/09-invoice-in/03_basic_data.spec.js b/e2e/paths/09-invoice-in/03_basic_data.spec.js
deleted file mode 100644
index 50fe18830..000000000
--- a/e2e/paths/09-invoice-in/03_basic_data.spec.js
+++ /dev/null
@@ -1,196 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('InvoiceIn basic data path', () => {
- let browser;
- let page;
- let newDms;
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('administrative', 'invoiceIn');
- await page.accessToSearchResult('1');
- await page.accessToSection('invoiceIn.card.basicData');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it(`should edit the invoiceIn basic data`, async() => {
- const now = Date.vnNew();
- await page.pickDate(selectors.invoiceInBasicData.issued, now);
- await page.pickDate(selectors.invoiceInBasicData.operated, now);
- await page.autocompleteSearch(selectors.invoiceInBasicData.supplier, 'Verdnatura');
- await page.clearInput(selectors.invoiceInBasicData.supplierRef);
- await page.write(selectors.invoiceInBasicData.supplierRef, '9999');
- await page.clearInput(selectors.invoiceInBasicData.dms);
- await page.write(selectors.invoiceInBasicData.dms, '2');
- await page.pickDate(selectors.invoiceInBasicData.bookEntried, now);
- await page.pickDate(selectors.invoiceInBasicData.booked, now);
- await page.autocompleteSearch(selectors.invoiceInBasicData.currency, 'USD');
- await page.autocompleteSearch(selectors.invoiceInBasicData.company, 'ORN');
- await page.waitToClick(selectors.invoiceInBasicData.save);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-
- it(`should confirm the invoiceIn supplier was edited`, async() => {
- await page.reloadSection('invoiceIn.card.basicData');
- const result = await page.waitToGetProperty(selectors.invoiceInBasicData.supplier, 'value');
-
- expect(result).toContain('Verdnatura');
- });
-
- it(`should confirm the invoiceIn supplierRef was edited`, async() => {
- const result = await page
- .waitToGetProperty(selectors.invoiceInBasicData.supplierRef, 'value');
-
- expect(result).toEqual('9999');
- });
-
- it(`should confirm the invoiceIn currency was edited`, async() => {
- const result = await page
- .waitToGetProperty(selectors.invoiceInBasicData.currency, 'value');
-
- expect(result).toEqual('USD');
- });
-
- it(`should confirm the invoiceIn company was edited`, async() => {
- const result = await page
- .waitToGetProperty(selectors.invoiceInBasicData.company, 'value');
-
- expect(result).toEqual('ORN');
- });
-
- it(`should confirm the invoiceIn dms was edited`, async() => {
- const result = await page
- .waitToGetProperty(selectors.invoiceInBasicData.dms, 'value');
-
- expect(result).toEqual('2');
- });
-
- it(`should create a new invoiceIn dms and save the changes`, async() => {
- await page.clearInput(selectors.invoiceInBasicData.dms);
- await page.waitToClick(selectors.invoiceInBasicData.create);
-
- await page.clearInput(selectors.invoiceInBasicData.reference);
- await page.write(selectors.invoiceInBasicData.reference, 'New Dms');
-
- await page.waitToClick(selectors.invoiceInBasicData.confirm);
- let message = await page.waitForSnackbar();
-
- await page.clearInput(selectors.invoiceInBasicData.companyId);
- await page.autocompleteSearch(selectors.invoiceInBasicData.companyId, 'VNL');
-
- await page.waitToClick(selectors.invoiceInBasicData.confirm);
- message = await page.waitForSnackbar();
-
- await page.clearInput(selectors.invoiceInBasicData.warehouseId);
- await page.autocompleteSearch(selectors.invoiceInBasicData.warehouseId, 'Warehouse One');
-
- await page.waitToClick(selectors.invoiceInBasicData.confirm);
- message = await page.waitForSnackbar();
-
- await page.clearInput(selectors.invoiceInBasicData.dmsTypeId);
- await page.autocompleteSearch(selectors.invoiceInBasicData.dmsTypeId, 'Ticket');
-
- await page.waitToClick(selectors.invoiceInBasicData.confirm);
- message = await page.waitForSnackbar();
-
- await page.waitToClick(selectors.invoiceInBasicData.description);
- await page.write(selectors.invoiceInBasicData.description, 'Dms without edition.');
-
- await page.waitToClick(selectors.invoiceInBasicData.confirm);
- message = await page.waitForSnackbar();
-
- expect(message.text).toContain('The files can\'t be empty');
-
- let currentDir = process.cwd();
- let filePath = `${currentDir}/e2e/assets/thermograph.jpeg`;
-
- const [fileChooser] = await Promise.all([
- page.waitForFileChooser(),
- page.waitToClick(selectors.invoiceInBasicData.inputFile)
- ]);
- await fileChooser.accept([filePath]);
-
- await page.waitToClick(selectors.invoiceInBasicData.confirm);
- message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
-
- newDms = await page
- .waitToGetProperty(selectors.invoiceInBasicData.dms, 'value');
- });
-
- it(`should confirm the invoiceIn was edited with the new dms`, async() => {
- await page.reloadSection('invoiceIn.card.basicData');
- const result = await page
- .waitToGetProperty(selectors.invoiceInBasicData.dms, 'value');
-
- expect(result).toEqual(newDms);
- });
-
- it(`should edit the invoiceIn`, async() => {
- await page.waitToClick(selectors.invoiceInBasicData.edit);
-
- await page.clearInput(selectors.invoiceInBasicData.reference);
- await page.write(selectors.invoiceInBasicData.reference, 'Dms Edited');
- await page.clearInput(selectors.invoiceInBasicData.companyId);
- await page.autocompleteSearch(selectors.invoiceInBasicData.companyId, 'CCs');
- await page.clearInput(selectors.invoiceInBasicData.warehouseId);
- await page.autocompleteSearch(selectors.invoiceInBasicData.warehouseId, 'Algemesi');
- await page.clearInput(selectors.invoiceInBasicData.dmsTypeId);
- await page.autocompleteSearch(selectors.invoiceInBasicData.dmsTypeId, 'Basura');
- await page.waitToClick(selectors.invoiceInBasicData.description);
- await page.write(selectors.invoiceInBasicData.description, ' Nevermind, now is edited.');
-
- await page.waitToClick(selectors.invoiceInBasicData.confirm);
- let message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-
- it(`should confirm the new dms has been edited`, async() => {
- await page.reloadSection('invoiceIn.card.basicData');
- await page.waitToClick(selectors.invoiceInBasicData.edit);
-
- const reference = await page
- .waitToGetProperty(selectors.invoiceInBasicData.reference, 'value');
- const companyId = await page
- .waitToGetProperty(selectors.invoiceInBasicData.companyId, 'value');
- const warehouseId = await page
- .waitToGetProperty(selectors.invoiceInBasicData.warehouseId, 'value');
- const dmsTypeId = await page
- .waitToGetProperty(selectors.invoiceInBasicData.dmsTypeId, 'value');
- const description = await page
- .waitToGetProperty(selectors.invoiceInBasicData.description, 'value');
-
- expect(reference).toEqual('Dms Edited');
- expect(companyId).toEqual('CCs');
- expect(warehouseId).toEqual('Algemesi');
- expect(dmsTypeId).toEqual('Basura');
- expect(description).toEqual('Dms without edition. Nevermind, now is edited.');
-
- await page.waitToClick(selectors.invoiceInBasicData.confirm);
- });
-
- it(`should disable edit and download if dms doesn't exists, and set back the original dms`, async() => {
- await page.clearInput(selectors.invoiceInBasicData.dms);
- await page.write(selectors.invoiceInBasicData.dms, '9999');
-
- await page.waitForSelector(`${selectors.invoiceInBasicData.download}.disabled`);
- await page.waitForSelector(`${selectors.invoiceInBasicData.edit}.disabled`);
-
- await page.clearInput(selectors.invoiceInBasicData.dms);
- await page.write(selectors.invoiceInBasicData.dms, '1');
-
- await page.waitToClick(selectors.invoiceInBasicData.save);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-});
diff --git a/e2e/paths/09-invoice-in/04_tax.spec.js b/e2e/paths/09-invoice-in/04_tax.spec.js
deleted file mode 100644
index d51c39048..000000000
--- a/e2e/paths/09-invoice-in/04_tax.spec.js
+++ /dev/null
@@ -1,59 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('InvoiceIn tax path', () => {
- let browser;
- let page;
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('developer', 'invoiceIn');
- await page.accessToSearchResult('2');
- await page.accessToSection('invoiceIn.card.tax');
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should add a new tax and check it', async() => {
- await page.waitToClick(selectors.invoiceInTax.addTaxButton);
- await page.autocompleteSearch(selectors.invoiceInTax.thirdExpense, '6210000567');
- await page.write(selectors.invoiceInTax.thirdTaxableBase, '100');
- await page.autocompleteSearch(selectors.invoiceInTax.thirdTaxType, 'H.P. IVA');
- await page.autocompleteSearch(selectors.invoiceInTax.thirdTransactionType, 'Operaciones exentas');
- await page.waitToClick(selectors.invoiceInTax.saveButton);
- const message = await page.waitForSnackbar();
-
- await page.waitToClick(selectors.invoiceInDescriptor.summaryIcon);
- await page.waitForState('invoiceIn.card.summary');
- const total = await page.waitToGetProperty(selectors.invoiceInSummary.totalTaxableBase, 'innerText');
-
- await page.accessToSection('invoiceIn.card.tax');
-
- const thirdExpense = await page.waitToGetProperty(selectors.invoiceInTax.thirdExpense, 'value');
- const thirdTaxableBase = await page.waitToGetProperty(selectors.invoiceInTax.thirdTaxableBase, 'value');
- const thirdTaxType = await page.waitToGetProperty(selectors.invoiceInTax.thirdTaxType, 'value');
- const thirdTransactionType = await page.waitToGetProperty(selectors.invoiceInTax.thirdTransactionType, 'value');
- const thirdRate = await page.waitToGetProperty(selectors.invoiceInTax.thirdRate, 'value');
-
- expect(message.text).toContain('Data saved!');
-
- expect(total).toEqual('Taxable base €1,323.16');
-
- expect(thirdExpense).toEqual('6210000567');
- expect(thirdTaxableBase).toEqual('100');
- expect(thirdTaxType).toEqual('H.P. IVA 4% CEE');
- expect(thirdTransactionType).toEqual('Operaciones exentas');
- expect(thirdRate).toEqual('€4.00');
- });
-
- it('should delete the added line', async() => {
- await page.waitToClick(selectors.invoiceInTax.thirdDeleteButton);
- await page.waitToClick(selectors.invoiceInTax.saveButton);
- const message = await page.waitForSnackbar();
-
- expect(message.text).toContain('Data saved!');
- });
-});
diff --git a/e2e/paths/09-invoice-in/05_serial.spec.js b/e2e/paths/09-invoice-in/05_serial.spec.js
deleted file mode 100644
index 8be5660da..000000000
--- a/e2e/paths/09-invoice-in/05_serial.spec.js
+++ /dev/null
@@ -1,48 +0,0 @@
-import selectors from '../../helpers/selectors.js';
-import getBrowser from '../../helpers/puppeteer';
-
-describe('InvoiceIn serial path', () => {
- let browser;
- let page;
- let httpRequest;
-
- beforeAll(async() => {
- browser = await getBrowser();
- page = browser.page;
- await page.loginAndModule('administrative', 'invoiceIn');
- await page.accessToSection('invoiceIn.serial');
- page.on('request', req => {
- if (req.url().includes(`InvoiceIns/getSerial`))
- httpRequest = req.url();
- });
- });
-
- afterAll(async() => {
- await browser.close();
- });
-
- it('should check that passes the correct params to back', async() => {
- await page.overwrite(selectors.invoiceInSerial.daysAgo, '30');
- await page.keyboard.press('Enter');
-
- expect(httpRequest).toContain('daysAgo=30');
-
- await page.overwrite(selectors.invoiceInSerial.serial, 'R');
- await page.keyboard.press('Enter');
-
- expect(httpRequest).toContain('serial=R');
- await page.click(selectors.invoiceInSerial.chip);
- });
-
- it('should go to index and check if the search-panel has the correct params', async() => {
- await page.waitToClick(selectors.invoiceInSerial.goToIndex);
- const params = await page.$$(selectors.invoiceInIndex.topbarSearchParams);
- const serial = await params[0].getProperty('title');
- const isBooked = await params[1].getProperty('title');
- const from = await params[2].getProperty('title');
-
- expect(await serial.jsonValue()).toContain('serial');
- expect(await isBooked.jsonValue()).toContain('not isBooked');
- expect(await from.jsonValue()).toContain('from');
- });
-});
diff --git a/e2e/tests.js b/e2e/tests.js
index 829056f4c..a9c662dc4 100644
--- a/e2e/tests.js
+++ b/e2e/tests.js
@@ -41,7 +41,6 @@ async function test() {
`./e2e/paths/03*/*[sS]pec.js`,
`./e2e/paths/04*/*[sS]pec.js`,
`./e2e/paths/05*/*[sS]pec.js`,
- `./e2e/paths/06*/*[sS]pec.js`,
`./e2e/paths/07*/*[sS]pec.js`,
`./e2e/paths/08*/*[sS]pec.js`,
`./e2e/paths/09*/*[sS]pec.js`,
diff --git a/front/salix/components/user-popover/index.html b/front/salix/components/user-popover/index.html
index 06a4af1e0..cedb3383b 100644
--- a/front/salix/components/user-popover/index.html
+++ b/front/salix/components/user-popover/index.html
@@ -38,7 +38,7 @@
My account
diff --git a/front/salix/components/user-popover/index.js b/front/salix/components/user-popover/index.js
index 1d88137ff..72cb734e9 100644
--- a/front/salix/components/user-popover/index.js
+++ b/front/salix/components/user-popover/index.js
@@ -82,6 +82,9 @@ class Controller {
? {id: $search}
: {bank: {like: '%' + $search + '%'}};
}
+ async redirect(id) {
+ window.location.href = await this.vnConfig.vnApp.getUrl(`worker/${id}`);
+ }
}
Controller.$inject = ['$scope', '$translate', 'vnConfig', 'vnAuth', 'vnToken'];
diff --git a/modules/claim/front/action/index.html b/modules/claim/front/action/index.html
deleted file mode 100644
index 9da51b8de..000000000
--- a/modules/claim/front/action/index.html
+++ /dev/null
@@ -1,188 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- |
- Id |
- Ticket |
-
- Destination
- |
-
- Landed
- |
-
- Quantity
- |
-
- Description
- |
-
- Price
- |
-
- Disc.
- |
- Total |
-
-
-
-
-
-
-
- |
-
-
- {{::saleClaimed.itemFk}}
-
- |
-
-
- {{::saleClaimed.ticketFk}}
-
- |
-
-
-
- |
- {{::saleClaimed.landed | date: 'dd/MM/yyyy'}} |
- {{::saleClaimed.quantity}} |
- {{::saleClaimed.concept}} |
- {{::saleClaimed.price | currency: 'EUR':2}} |
- {{::saleClaimed.discount}} % |
- {{saleClaimed.total | currency: 'EUR':2}} |
-
-
-
- |
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- {{$ctrl.$t('Change destination to all selected rows', {total: $ctrl.checked.length})}}
-
-
-
-
-
-
-
-
-
-
-
diff --git a/modules/claim/front/action/index.js b/modules/claim/front/action/index.js
deleted file mode 100644
index 10b629f27..000000000
--- a/modules/claim/front/action/index.js
+++ /dev/null
@@ -1,233 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-import './style.scss';
-
-export default class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.newDestination;
- this.filter = {
- include: [
- {relation: 'sale',
- scope: {
- fields: ['concept', 'ticketFk', 'price', 'quantity', 'discount', 'itemFk'],
- include: {
- relation: 'ticket'
- }
- }
- },
- {relation: 'claimBeggining'},
- {relation: 'claimDestination'}
- ]
- };
- this.getResolvedState();
- this.maxResponsibility = 5;
- this.smartTableOptions = {
- activeButtons: {
- search: true
- },
- columns: [
- {
- field: 'claimDestinationFk',
- autocomplete: {
- url: 'ClaimDestinations',
- showField: 'description',
- valueField: 'id'
- }
- },
- {
- field: 'landed',
- searchable: false
- }
- ]
- };
- }
-
- exprBuilder(param, value) {
- switch (param) {
- case 'itemFk':
- case 'ticketFk':
- case 'claimDestinationFk':
- case 'quantity':
- case 'price':
- case 'discount':
- case 'total':
- return {[param]: value};
- case 'concept':
- return {[param]: {like: `%${value}%`}};
- case 'landed':
- return {[param]: {between: this.dateRange(value)}};
- }
- }
-
- dateRange(value) {
- const minHour = new Date(value);
- minHour.setHours(0, 0, 0, 0);
- const maxHour = new Date(value);
- maxHour.setHours(23, 59, 59, 59);
-
- return [minHour, maxHour];
- }
-
- get checked() {
- const salesClaimed = this.$.model.data || [];
-
- const checkedSalesClaimed = [];
- for (let saleClaimed of salesClaimed) {
- if (saleClaimed.$checked)
- checkedSalesClaimed.push(saleClaimed);
- }
-
- return checkedSalesClaimed;
- }
-
- updateDestination(saleClaimed, claimDestinationFk) {
- const data = {rows: [saleClaimed], claimDestinationFk: claimDestinationFk};
- this.$http.post(`Claims/updateClaimDestination`, data).then(() => {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- }).catch(e => {
- this.$.model.refresh();
- throw e;
- });
- }
-
- removeSales(saleClaimed) {
- const params = {sales: [saleClaimed]};
- this.$http.post(`ClaimEnds/deleteClamedSales`, params).then(() => {
- this.$.model.refresh();
- this.vnApp.showSuccess(this.$t('Data saved!'));
- });
- }
-
- getResolvedState() {
- const query = `ClaimStates/findOne`;
- const params = {
- filter: {
- where: {
- code: 'resolved'
- }
- }
- };
- this.$http.get(query, params).then(res =>
- this.resolvedStateId = res.data.id
- );
- }
-
- importToNewRefundTicket() {
- let query = `ClaimBeginnings/${this.$params.id}/importToNewRefundTicket`;
- return this.$http.post(query).then(() => {
- this.$.model.refresh();
- this.vnApp.showSuccess(this.$t('Data saved!'));
- });
- }
-
- focusLastInput() {
- let inputs = document.querySelectorAll('#claimDestinationFk');
- inputs[inputs.length - 1].querySelector('input').focus();
- this.calculateTotals();
- }
-
- calculateTotals() {
- this.claimedTotal = 0;
- this.salesClaimed.forEach(sale => {
- const price = sale.quantity * sale.price;
- const discount = (sale.discount * (sale.quantity * sale.price)) / 100;
- this.claimedTotal += price - discount;
- });
- }
-
- regularize() {
- const query = `Claims/${this.$params.id}/regularizeClaim`;
- return this.$http.post(query).then(() => {
- if (this.claim.responsibility >= Math.ceil(this.maxResponsibility) / 2)
- this.$.updateGreuge.show();
- else
- this.vnApp.showSuccess(this.$t('Data saved!'));
-
- this.card.reload();
- });
- }
-
- getGreugeTypeId() {
- const params = {filter: {where: {code: 'freightPickUp'}}};
- const query = `GreugeTypes/findOne`;
- return this.$http.get(query, {params}).then(res => {
- this.greugeTypeFreightId = res.data.id;
-
- return res;
- });
- }
-
- getGreugeConfig() {
- const query = `GreugeConfigs/findOne`;
- return this.$http.get(query).then(res => {
- this.freightPickUpPrice = res.data.freightPickUpPrice;
-
- return res;
- });
- }
-
- onUpdateGreugeAccept() {
- const promises = [];
- promises.push(this.getGreugeTypeId());
- promises.push(this.getGreugeConfig());
-
- return Promise.all(promises).then(() => {
- return this.updateGreuge({
- clientFk: this.claim.clientFk,
- description: this.$t('ClaimGreugeDescription', {
- claimId: this.claim.id
- }).toUpperCase(),
- amount: this.freightPickUpPrice,
- greugeTypeFk: this.greugeTypeFreightId,
- ticketFk: this.claim.ticketFk
- });
- });
- }
-
- updateGreuge(data) {
- return this.$http.post(`Greuges`, data).then(() => {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- this.vnApp.showMessage(this.$t('Greuge added'));
- });
- }
-
- save(data) {
- const query = `Claims/${this.$params.id}/updateClaimAction`;
- this.$http.patch(query, data)
- .then(() => this.vnApp.showSuccess(this.$t('Data saved!')));
- }
-
- onSave() {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- }
-
- onResponse() {
- const rowsToEdit = [];
- for (let row of this.checked)
- rowsToEdit.push({id: row.id});
-
- const data = {
- rows: rowsToEdit,
- claimDestinationFk: this.newDestination
- };
-
- const query = `Claims/updateClaimDestination`;
- this.$http.post(query, data)
- .then(() => {
- this.$.model.refresh();
- this.vnApp.showSuccess(this.$t('Data saved!'));
- });
- }
-}
-
-ngModule.vnComponent('vnClaimAction', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- claim: '<'
- },
- require: {
- card: '^vnClaimCard'
- }
-});
diff --git a/modules/claim/front/action/index.spec.js b/modules/claim/front/action/index.spec.js
deleted file mode 100644
index e773511bf..000000000
--- a/modules/claim/front/action/index.spec.js
+++ /dev/null
@@ -1,167 +0,0 @@
-import './index.js';
-import crudModel from 'core/mocks/crud-model';
-
-describe('claim', () => {
- describe('Component vnClaimAction', () => {
- let controller;
- let $httpBackend;
- let $state;
-
- beforeEach(ngModule('claim'));
-
- beforeEach(inject(($componentController, _$state_, _$httpBackend_) => {
- $httpBackend = _$httpBackend_;
- $state = _$state_;
- $state.params.id = 1;
-
- controller = $componentController('vnClaimAction', {$element: null});
- controller.claim = {ticketFk: 1};
- controller.$.model = {refresh: () => {}};
- controller.$.addSales = {
- hide: () => {},
- show: () => {}
- };
- controller.$.lastTicketsModel = crudModel;
- controller.$.lastTicketsPopover = {
- hide: () => {},
- show: () => {}
- };
- controller.card = {reload: () => {}};
- $httpBackend.expectGET(`ClaimStates/findOne`).respond({});
- }));
-
- describe('getResolvedState()', () => {
- it('should return the resolved state id', () => {
- $httpBackend.expectGET(`ClaimStates/findOne`).respond({id: 1});
- controller.getResolvedState();
- $httpBackend.flush();
-
- expect(controller.resolvedStateId).toEqual(1);
- });
- });
-
- describe('calculateTotals()', () => {
- it('should calculate the total price of the items claimed', () => {
- controller.salesClaimed = [
- {quantity: 5, price: 2, discount: 0},
- {quantity: 10, price: 2, discount: 0},
- {quantity: 10, price: 2, discount: 0}
- ];
- controller.calculateTotals();
-
- expect(controller.claimedTotal).toEqual(50);
- });
- });
-
- describe('importToNewRefundTicket()', () => {
- it('should perform a post query and add lines from a new ticket', () => {
- jest.spyOn(controller.$.model, 'refresh');
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- $httpBackend.expect('POST', `ClaimBeginnings/1/importToNewRefundTicket`).respond({});
- controller.importToNewRefundTicket();
- $httpBackend.flush();
-
- expect(controller.$.model.refresh).toHaveBeenCalled();
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('regularize()', () => {
- it('should perform a post query and reload the claim card', () => {
- jest.spyOn(controller.card, 'reload');
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- $httpBackend.expect('POST', `Claims/1/regularizeClaim`).respond({});
- controller.regularize();
- $httpBackend.flush();
-
- expect(controller.card.reload).toHaveBeenCalledWith();
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('save()', () => {
- it('should perform a patch query and show a success message', () => {
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- const data = {pickup: 'agency'};
- $httpBackend.expect('PATCH', `Claims/1/updateClaimAction`, data).respond({});
- controller.save(data);
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('onUpdateGreugeAccept()', () => {
- const greugeTypeId = 7;
- const freightPickUpPrice = 11;
-
- it('should make a query and get the greugeTypeId and greuge config', () => {
- $httpBackend.expectRoute('GET', `GreugeTypes/findOne`).respond({id: greugeTypeId});
- $httpBackend.expectGET(`GreugeConfigs/findOne`).respond({freightPickUpPrice});
- controller.onUpdateGreugeAccept();
- $httpBackend.flush();
-
- expect(controller.greugeTypeFreightId).toEqual(greugeTypeId);
- expect(controller.freightPickUpPrice).toEqual(freightPickUpPrice);
- });
-
- it('should perform a insert into greuges', done => {
- jest.spyOn(controller, 'getGreugeTypeId').mockReturnValue(new Promise(resolve => {
- return resolve({id: greugeTypeId});
- }));
- jest.spyOn(controller, 'getGreugeConfig').mockReturnValue(new Promise(resolve => {
- return resolve({freightPickUpPrice});
- }));
- jest.spyOn(controller, 'updateGreuge').mockReturnValue(new Promise(resolve => {
- return resolve(true);
- }));
-
- controller.claim.clientFk = 1101;
- controller.claim.id = 11;
-
- controller.onUpdateGreugeAccept().then(() => {
- expect(controller.updateGreuge).toHaveBeenCalledWith(jasmine.any(Object));
- done();
- }).catch(done.fail);
- });
- });
-
- describe('updateGreuge()', () => {
- it('should make a query and then call to showSuccess() and showMessage() methods', () => {
- jest.spyOn(controller.vnApp, 'showSuccess');
- jest.spyOn(controller.vnApp, 'showMessage');
-
- const freightPickUpPrice = 11;
- const greugeTypeId = 7;
- const expectedData = {
- clientFk: 1101,
- description: `claim: ${controller.claim.id}`,
- amount: freightPickUpPrice,
- greugeTypeFk: greugeTypeId,
- ticketFk: controller.claim.ticketFk
- };
- $httpBackend.expect('POST', `Greuges`, expectedData).respond(200);
- controller.updateGreuge(expectedData);
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalledWith('Data saved!');
- expect(controller.vnApp.showMessage).toHaveBeenCalledWith('Greuge added');
- });
- });
-
- describe('onResponse()', () => {
- it('should perform a post query and show a success message', () => {
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- $httpBackend.expect('POST', `Claims/updateClaimDestination`).respond({});
- controller.onResponse();
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
- });
-});
diff --git a/modules/claim/front/action/locale/en.yml b/modules/claim/front/action/locale/en.yml
deleted file mode 100644
index faab67c06..000000000
--- a/modules/claim/front/action/locale/en.yml
+++ /dev/null
@@ -1 +0,0 @@
-ClaimGreugeDescription: Claim id {{claimId}}
\ No newline at end of file
diff --git a/modules/claim/front/action/locale/es.yml b/modules/claim/front/action/locale/es.yml
deleted file mode 100644
index 97640d9dc..000000000
--- a/modules/claim/front/action/locale/es.yml
+++ /dev/null
@@ -1,13 +0,0 @@
-Destination: Destino
-Action: Actuaciones
-Total claimed: Total Reclamado
-Import claim: Importar reclamacion
-Imports claim details: Importa detalles de la reclamacion
-Regularize: Regularizar
-Do you want to insert greuges?: Desea insertar greuges?
-Insert greuges on client card: Insertar greuges en la ficha del cliente
-Greuge added: Greuge añadido
-ClaimGreugeDescription: Reclamación id {{claimId}}
-Change destination: Cambiar destino
-Change destination to all selected rows: Cambiar destino a {{total}} fila(s) seleccionada(s)
-Add observation to all selected clients: Añadir observación a {{total}} cliente(s) seleccionado(s)
diff --git a/modules/claim/front/action/style.scss b/modules/claim/front/action/style.scss
deleted file mode 100644
index cda6779c8..000000000
--- a/modules/claim/front/action/style.scss
+++ /dev/null
@@ -1,46 +0,0 @@
-vn-claim-action {
- .header {
- display: flex;
- justify-content: space-between;
- align-items: center;
- align-content: center;
-
- vn-tool-bar {
- flex: none
- }
-
- .vn-check {
- flex: none;
- }
- }
-
- vn-dialog[vn-id=addSales] {
- tpl-body {
- width: 950px;
- div {
- div.buttons {
- display: none;
- }
- vn-table{
- min-width: 950px;
- }
- }
- }
- }
-
- vn-popover.lastTicketsPopover {
- vn-table {
- min-width: 650px;
- overflow: auto
- }
-
- div.ticketList {
- overflow: auto;
- max-height: 350px;
- }
- }
-
- .right {
- margin-left: 370px;
- }
-}
\ No newline at end of file
diff --git a/modules/claim/front/basic-data/index.html b/modules/claim/front/basic-data/index.html
deleted file mode 100644
index 45bc1823d..000000000
--- a/modules/claim/front/basic-data/index.html
+++ /dev/null
@@ -1,66 +0,0 @@
-
-
-
-
-
-
diff --git a/modules/claim/front/basic-data/index.js b/modules/claim/front/basic-data/index.js
deleted file mode 100644
index 818012bb9..000000000
--- a/modules/claim/front/basic-data/index.js
+++ /dev/null
@@ -1,20 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-import './style.scss';
-
-class Controller extends Section {
- onSubmit() {
- this.$.watcher.submit().then(() => {
- if (this.aclService.hasAny(['claimManager']))
- this.$state.go('claim.card.detail');
- });
- }
-}
-
-ngModule.vnComponent('vnClaimBasicData', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- claim: '<'
- }
-});
diff --git a/modules/claim/front/basic-data/index.spec.js b/modules/claim/front/basic-data/index.spec.js
deleted file mode 100644
index 638f88418..000000000
--- a/modules/claim/front/basic-data/index.spec.js
+++ /dev/null
@@ -1,28 +0,0 @@
-import './index.js';
-import watcher from 'core/mocks/watcher';
-
-describe('Claim', () => {
- describe('Component vnClaimBasicData', () => {
- let controller;
- let $scope;
-
- beforeEach(ngModule('claim'));
-
- beforeEach(inject(($componentController, $rootScope) => {
- $scope = $rootScope.$new();
- $scope.watcher = watcher;
- const $element = angular.element('');
- controller = $componentController('vnClaimBasicData', {$element, $scope});
- }));
-
- describe('onSubmit()', () => {
- it(`should redirect to 'claim.card.detail' state`, () => {
- jest.spyOn(controller.aclService, 'hasAny').mockReturnValue(true);
- jest.spyOn(controller.$state, 'go');
- controller.onSubmit();
-
- expect(controller.$state.go).toHaveBeenCalledWith('claim.card.detail');
- });
- });
- });
-});
diff --git a/modules/claim/front/basic-data/locale/es.yml b/modules/claim/front/basic-data/locale/es.yml
deleted file mode 100644
index 5250d266c..000000000
--- a/modules/claim/front/basic-data/locale/es.yml
+++ /dev/null
@@ -1,9 +0,0 @@
-Contact: Contacto
-Claim state: Estado de la reclamación
-Is paid with mana: Cargado al maná
-Responsability: Responsabilidad
-Company: Empresa
-Sales/Client: Comercial/Cliente
-Pick up: Recoger
-When checked will notify to the salesPerson: Cuando se marque enviará una notificación de recogida al comercial
-Packages received: Bultos recibidos
diff --git a/modules/claim/front/basic-data/style.scss b/modules/claim/front/basic-data/style.scss
deleted file mode 100644
index e80361ca8..000000000
--- a/modules/claim/front/basic-data/style.scss
+++ /dev/null
@@ -1,3 +0,0 @@
-vn-claim-basic-data vn-date-picker {
- padding-left: 80px;
-}
diff --git a/modules/claim/front/card/index.html b/modules/claim/front/card/index.html
deleted file mode 100644
index 1db6b38db..000000000
--- a/modules/claim/front/card/index.html
+++ /dev/null
@@ -1,5 +0,0 @@
-
-
-
-
-
diff --git a/modules/claim/front/card/index.js b/modules/claim/front/card/index.js
deleted file mode 100644
index 5dad0dfc2..000000000
--- a/modules/claim/front/card/index.js
+++ /dev/null
@@ -1,68 +0,0 @@
-import ngModule from '../module';
-import ModuleCard from 'salix/components/module-card';
-
-class Controller extends ModuleCard {
- reload() {
- let filter = {
- include: [
- {
- relation: 'worker',
- scope: {
- fields: ['id'],
- include: {
- relation: 'user',
- scope: {
- fields: ['name']
- }
- }
- }
- }, {
- relation: 'ticket',
- scope: {
- fields: ['zoneFk', 'addressFk'],
- include: [
- {
- relation: 'zone',
- scope: {
- fields: ['name']
- }
- },
- {
- relation: 'address',
- scope: {
- fields: ['provinceFk'],
- include: {
- relation: 'province',
- scope: {
- fields: ['name']
- }
- }
- }
- }]
- }
- }, {
- relation: 'claimState',
- scope: {
- fields: ['id', 'description']
- }
- }, {
- relation: 'client',
- scope: {
- fields: ['salesPersonFk', 'name', 'email'],
- include: {
- relation: 'salesPersonUser'
- }
- }
- }
- ]
- };
-
- this.$http.get(`Claims/${this.$params.id}`, {filter})
- .then(res => this.claim = res.data);
- }
-}
-
-ngModule.vnComponent('vnClaimCard', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/claim/front/card/index.spec.js b/modules/claim/front/card/index.spec.js
deleted file mode 100644
index aa796c1e3..000000000
--- a/modules/claim/front/card/index.spec.js
+++ /dev/null
@@ -1,29 +0,0 @@
-import './index.js';
-
-describe('Claim', () => {
- describe('Component vnClaimCard', () => {
- let controller;
- let $httpBackend;
- let data = {id: 1, name: 'fooName'};
-
- beforeEach(ngModule('claim'));
-
- beforeEach(inject(($componentController, _$httpBackend_, $stateParams) => {
- $httpBackend = _$httpBackend_;
-
- let $element = angular.element('');
- controller = $componentController('vnClaimCard', {$element});
-
- $stateParams.id = data.id;
- $httpBackend.whenRoute('GET', 'Claims/:id').respond(data);
- }));
-
- it('should request data and set it on the controller', () => {
- controller.reload();
- $httpBackend.flush();
-
- expect(controller.claim).toEqual(data);
- });
- });
-});
-
diff --git a/modules/claim/front/descriptor/index.js b/modules/claim/front/descriptor/index.js
index 5e9ea5140..337233059 100644
--- a/modules/claim/front/descriptor/index.js
+++ b/modules/claim/front/descriptor/index.js
@@ -29,9 +29,9 @@ class Controller extends Descriptor {
deleteClaim() {
return this.$http.delete(`Claims/${this.claim.id}`)
- .then(() => {
+ .then(async() => {
this.vnApp.showSuccess(this.$t('Claim deleted!'));
- this.$state.go('claim.index');
+ window.location.href = await this.vnApp.getUrl(`claim/`);
});
}
}
diff --git a/modules/claim/front/descriptor/index.spec.js b/modules/claim/front/descriptor/index.spec.js
index e6785d3d8..03710b479 100644
--- a/modules/claim/front/descriptor/index.spec.js
+++ b/modules/claim/front/descriptor/index.spec.js
@@ -53,14 +53,12 @@ describe('Item Component vnClaimDescriptor', () => {
describe('deleteClaim()', () => {
it('should perform a query and call showSuccess if the response is accept', () => {
jest.spyOn(controller.vnApp, 'showSuccess');
- jest.spyOn(controller.$state, 'go');
$httpBackend.expectDELETE(`Claims/${claim.id}`).respond();
controller.deleteClaim();
$httpBackend.flush();
expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- expect(controller.$state.go).toHaveBeenCalledWith('claim.index');
});
});
});
diff --git a/modules/claim/front/detail/index.html b/modules/claim/front/detail/index.html
deleted file mode 100644
index a2a08a5db..000000000
--- a/modules/claim/front/detail/index.html
+++ /dev/null
@@ -1,178 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
- Landed
- Quantity
- Claimed
- Description
- Price
- Disc.
- Total
-
-
-
-
-
- {{::saleClaimed.sale.ticket.landed | date:'dd/MM/yyyy'}}
- {{::saleClaimed.sale.quantity}}
-
-
-
-
-
-
- {{::saleClaimed.sale.concept}}
-
-
- {{::saleClaimed.sale.price | currency: 'EUR':2}}
-
-
- {{saleClaimed.sale.discount}} %
-
-
-
- {{$ctrl.getSaleTotal(saleClaimed.sale) | currency: 'EUR':2}}
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- Claimable sales from ticket {{$ctrl.claim.ticketFk}}
-
-
-
-
-
-
- Landed
- Quantity
- Description
- Price
- Disc.
- Total
-
-
-
-
- {{sale.landed | date: 'dd/MM/yyyy'}}
- {{sale.quantity}}
-
-
- {{sale.itemFk}} - {{sale.concept}}
-
-
- {{sale.price | currency: 'EUR':2}}
- {{sale.discount}} %
-
- {{(sale.quantity * sale.price) - ((sale.discount * (sale.quantity * sale.price))/100) | currency: 'EUR':2}}
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
Total claimed price
-
{{$ctrl.newPrice | currency: 'EUR':2}}
-
-
-
-
-
-
-
-
\ No newline at end of file
diff --git a/modules/claim/front/detail/index.js b/modules/claim/front/detail/index.js
deleted file mode 100644
index 56f39e074..000000000
--- a/modules/claim/front/detail/index.js
+++ /dev/null
@@ -1,203 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-import './style.scss';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.edit = {};
- this.filter = {
- where: {claimFk: this.$params.id},
- include: [
- {
- relation: 'sale',
- scope: {
- fields: ['concept', 'ticketFk', 'price', 'quantity', 'discount', 'itemFk'],
- include: {
- relation: 'ticket'
- }
- }
- }
- ]
- };
- }
-
- get claim() {
- return this._claim;
- }
-
- set claim(value) {
- this._claim = value;
-
- if (value) {
- this.isClaimEditable();
- this.isTicketEditable();
- }
- }
-
- set salesClaimed(value) {
- this._salesClaimed = value;
-
- if (value) this.calculateTotals();
- }
-
- get salesClaimed() {
- return this._salesClaimed;
- }
-
- get newDiscount() {
- return this._newDiscount;
- }
-
- set newDiscount(value) {
- this._newDiscount = value;
- this.updateNewPrice();
- }
-
- get isClaimManager() {
- return this.aclService.hasAny(['claimManager']);
- }
-
- openAddSalesDialog() {
- this.getClaimableFromTicket();
- this.$.addSales.show();
- }
-
- getClaimableFromTicket() {
- let config = {params: {ticketFk: this.claim.ticketFk}};
- let query = `Sales/getClaimableFromTicket`;
- this.$http.get(query, config).then(res => {
- if (res.data)
- this.salesToClaim = res.data;
- });
- }
-
- addClaimedSale(index) {
- let sale = this.salesToClaim[index];
- let saleToAdd = {saleFk: sale.saleFk, claimFk: this.claim.id, quantity: sale.quantity};
- let query = `ClaimBeginnings/`;
- this.$http.post(query, saleToAdd).then(() => {
- this.$.addSales.hide();
- this.$.model.refresh();
- this.vnApp.showSuccess(this.$t('Data saved!'));
-
- if (this.aclService.hasAny(['claimManager']))
- this.$state.go('claim.card.development');
- });
- }
-
- showDeleteConfirm($index) {
- this.claimedIndex = $index;
- this.$.confirm.show();
- }
-
- deleteClaimedSale() {
- this.$.model.remove(this.claimedIndex);
- this.$.model.save().then(() => {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- this.calculateTotals();
- });
- }
-
- setClaimedQuantity(id, claimedQuantity) {
- let params = {quantity: claimedQuantity};
- let query = `ClaimBeginnings/${id}`;
- this.$http.patch(query, params).then(() => {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- this.calculateTotals();
- });
- }
-
- calculateTotals() {
- this.paidTotal = 0.0;
- this.claimedTotal = 0.0;
- if (!this._salesClaimed) return;
-
- this._salesClaimed.forEach(sale => {
- let orgSale = sale.sale;
- this.paidTotal += this.getSaleTotal(orgSale);
-
- const price = sale.quantity * orgSale.price;
- const discount = ((orgSale.discount * price) / 100);
-
- this.claimedTotal += price - discount;
- });
- }
-
- getSaleTotal(sale) {
- let total = 0.0;
-
- const price = sale.quantity * sale.price;
- const discount = ((sale.discount * price) / 100);
-
- total += price - discount;
- return total;
- }
-
- getSalespersonMana() {
- this.$http.get(`Tickets/${this.claim.ticketFk}/getSalesPersonMana`).then(res => {
- this.mana = res.data;
- });
- }
-
- isTicketEditable() {
- if (!this.claim) return;
-
- this.$http.get(`Tickets/${this.claim.ticketFk}/isEditable`).then(res => {
- this.isEditable = res.data;
- });
- }
-
- isClaimEditable() {
- if (!this.claim) return;
-
- this.$http.get(`ClaimStates/${this.claim.claimStateFk}/isEditable`).then(res => {
- this.isRewritable = res.data;
- });
- }
-
- showEditPopover(event, saleClaimed) {
- if (this.aclService.hasAny(['claimManager'])) {
- this.saleClaimed = saleClaimed;
- this.$.editPopover.parent = event.target;
- this.$.editPopover.show();
- }
- }
-
- updateDiscount() {
- const claimedSale = this.saleClaimed.sale;
- if (this.newDiscount != claimedSale.discount) {
- const params = {salesIds: [claimedSale.id], newDiscount: this.newDiscount};
- const query = `Tickets/${claimedSale.ticketFk}/updateDiscount`;
-
- this.$http.post(query, params).then(() => {
- claimedSale.discount = this.newDiscount;
- this.calculateTotals();
- this.clearDiscount();
-
- this.vnApp.showSuccess(this.$t('Data saved!'));
- });
- }
-
- this.$.editPopover.hide();
- }
-
- updateNewPrice() {
- this.newPrice = (this.saleClaimed.quantity * this.saleClaimed.sale.price) -
- ((this.newDiscount * (this.saleClaimed.quantity * this.saleClaimed.sale.price)) / 100);
- }
-
- clearDiscount() {
- this.newDiscount = null;
- }
-}
-
-Controller.$inject = ['$element', '$scope'];
-
-ngModule.vnComponent('vnClaimDetail', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- claim: '<'
- }
-});
diff --git a/modules/claim/front/detail/index.spec.js b/modules/claim/front/detail/index.spec.js
deleted file mode 100644
index 1ef779fd7..000000000
--- a/modules/claim/front/detail/index.spec.js
+++ /dev/null
@@ -1,150 +0,0 @@
-import './index.js';
-import crudModel from 'core/mocks/crud-model';
-
-describe('claim', () => {
- describe('Component vnClaimDetail', () => {
- let $scope;
- let controller;
- let $httpBackend;
-
- beforeEach(ngModule('claim'));
-
- beforeEach(inject(($componentController, _$httpBackend_, $rootScope) => {
- $scope = $rootScope.$new();
- $scope.descriptor = {
- show: () => {}
- };
- $httpBackend = _$httpBackend_;
- $httpBackend.whenGET('Claims/ClaimBeginnings').respond({});
- $httpBackend.whenGET(`Tickets/1/isEditable`).respond(true);
- $httpBackend.whenGET(`ClaimStates/2/isEditable`).respond(true);
- const $element = angular.element('');
- controller = $componentController('vnClaimDetail', {$element, $scope});
- controller.claim = {
- ticketFk: 1,
- id: 2,
- claimStateFk: 2}
- ;
- controller.salesToClaim = [{saleFk: 1}, {saleFk: 2}];
- controller.salesClaimed = [{id: 1, sale: {}}];
- controller.$.model = crudModel;
- controller.$.addSales = {
- hide: () => {},
- show: () => {}
- };
- controller.$.editPopover = {
- hide: () => {}
- };
- jest.spyOn(controller.aclService, 'hasAny').mockReturnValue(true);
- }));
-
- describe('openAddSalesDialog()', () => {
- it('should call getClaimableFromTicket and $.addSales.show', () => {
- jest.spyOn(controller, 'getClaimableFromTicket');
- jest.spyOn(controller.$.addSales, 'show');
- controller.openAddSalesDialog();
-
- expect(controller.getClaimableFromTicket).toHaveBeenCalledWith();
- expect(controller.$.addSales.show).toHaveBeenCalledWith();
- });
- });
-
- describe('getClaimableFromTicket()', () => {
- it('should make a query and set salesToClaim', () => {
- $httpBackend.expectGET(`Sales/getClaimableFromTicket?ticketFk=1`).respond(200, 1);
- controller.getClaimableFromTicket();
- $httpBackend.flush();
-
- expect(controller.salesToClaim).toEqual(1);
- });
- });
-
- describe('addClaimedSale(index)', () => {
- it('should make a post and call refresh, hide and showSuccess', () => {
- jest.spyOn(controller.$.addSales, 'hide');
- jest.spyOn(controller.$state, 'go');
- $httpBackend.expectPOST(`ClaimBeginnings/`).respond({});
- controller.addClaimedSale(1);
- $httpBackend.flush();
-
- expect(controller.$.addSales.hide).toHaveBeenCalledWith();
- expect(controller.$state.go).toHaveBeenCalledWith('claim.card.development');
- });
- });
-
- describe('deleteClaimedSale()', () => {
- it('should make a delete and call refresh and showSuccess', () => {
- const claimedIndex = 1;
- controller.claimedIndex = claimedIndex;
- jest.spyOn(controller.$.model, 'remove');
- jest.spyOn(controller.$.model, 'save');
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- controller.deleteClaimedSale();
-
- expect(controller.$.model.remove).toHaveBeenCalledWith(claimedIndex);
- expect(controller.$.model.save).toHaveBeenCalledWith();
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('setClaimedQuantity(id, claimedQuantity)', () => {
- it('should make a patch and call refresh and showSuccess', () => {
- const id = 1;
- const claimedQuantity = 1;
-
- jest.spyOn(controller.vnApp, 'showSuccess');
- $httpBackend.expectPATCH(`ClaimBeginnings/${id}`).respond({});
- controller.setClaimedQuantity(id, claimedQuantity);
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('calculateTotals()', () => {
- it('should set paidTotal and claimedTotal to 0 if salesClaimed has no data', () => {
- controller.salesClaimed = [];
- controller.calculateTotals();
-
- expect(controller.paidTotal).toEqual(0);
- expect(controller.claimedTotal).toEqual(0);
- });
- });
-
- describe('updateDiscount()', () => {
- it('should perform a query if the new discount differs from the claim discount', () => {
- controller.saleClaimed = {sale: {
- discount: 5,
- id: 7,
- ticketFk: 1,
- price: 2,
- quantity: 10}};
- controller.newDiscount = 10;
-
- jest.spyOn(controller.vnApp, 'showSuccess');
- jest.spyOn(controller, 'calculateTotals');
- jest.spyOn(controller, 'clearDiscount');
- jest.spyOn(controller.$.editPopover, 'hide');
-
- $httpBackend.when('POST', 'Tickets/1/updateDiscount').respond({});
- controller.updateDiscount();
- $httpBackend.flush();
-
- expect(controller.calculateTotals).toHaveBeenCalledWith();
- expect(controller.clearDiscount).toHaveBeenCalledWith();
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- expect(controller.$.editPopover.hide).toHaveBeenCalledWith();
- });
- });
-
- describe('isTicketEditable()', () => {
- it('should check if the ticket assigned to the claim is editable', () => {
- controller.isTicketEditable();
- $httpBackend.flush();
-
- expect(controller.isEditable).toBeTruthy();
- });
- });
- });
-});
diff --git a/modules/claim/front/detail/locale/es.yml b/modules/claim/front/detail/locale/es.yml
deleted file mode 100644
index 53f9e9b1d..000000000
--- a/modules/claim/front/detail/locale/es.yml
+++ /dev/null
@@ -1,11 +0,0 @@
-Claimed: Reclamados
-Disc.: Dto.
-Attended by: Atendida por
-Landed: F. entrega
-Price: Precio
-Claimable sales from ticket: Lineas reclamables del ticket
-Detail: Detalles
-Add sale item: Añadir artículo
-Insuficient permisos: Permisos insuficientes
-Total claimed price: Precio total reclamado
-Delete sale from claim?: ¿Borrar la linea de la reclamación?
\ No newline at end of file
diff --git a/modules/claim/front/detail/style.scss b/modules/claim/front/detail/style.scss
deleted file mode 100644
index 470c83034..000000000
--- a/modules/claim/front/detail/style.scss
+++ /dev/null
@@ -1,30 +0,0 @@
-@import "variables";
-
-.vn-popover .discount-popover {
- width: 256px;
-
- .header {
- background-color: $color-main;
- color: $color-font-dark;
-
- h5 {
- color: inherit;
- margin: 0 auto;
- }
- }
- .simulatorTitle {
- margin-bottom: 0;
- font-size: .75rem;
- color: $color-main;
- }
- vn-label-value {
- padding-bottom: 20px;
- }
- .simulator{
- text-align: center;
- }
-}
-
-.next{
- float: right;
-}
diff --git a/modules/claim/front/development/index.html b/modules/claim/front/development/index.html
deleted file mode 100644
index 7fb3b870e..000000000
--- a/modules/claim/front/development/index.html
+++ /dev/null
@@ -1,2 +0,0 @@
-
-
diff --git a/modules/claim/front/development/index.js b/modules/claim/front/development/index.js
deleted file mode 100644
index 7b31bd17f..000000000
--- a/modules/claim/front/development/index.js
+++ /dev/null
@@ -1,21 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- }
-
- async $onInit() {
- this.$state.go('claim.card.summary', {id: this.$params.id});
- window.location.href = await this.vnApp.getUrl(`claim/${this.$params.id}/development`);
- }
-}
-
-ngModule.vnComponent('vnClaimDevelopment', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- claim: '<'
- }
-});
diff --git a/modules/claim/front/index.js b/modules/claim/front/index.js
index 473f6a4d3..16397df28 100644
--- a/modules/claim/front/index.js
+++ b/modules/claim/front/index.js
@@ -1,16 +1,4 @@
export * from './module';
import './main';
-import './index/';
-import './action';
-import './basic-data';
-import './card';
-import './detail';
import './descriptor';
-import './development';
-import './search-panel';
-import './summary';
-import './photos';
-import './log';
-import './note/index';
-import './note/create';
diff --git a/modules/claim/front/index/index.html b/modules/claim/front/index/index.html
deleted file mode 100644
index 6b2481429..000000000
--- a/modules/claim/front/index/index.html
+++ /dev/null
@@ -1,83 +0,0 @@
-
-
-
-
-
-
-
-
-
- Id
- |
-
- Client
- |
-
- Created
- |
-
- Worker
- |
-
- State
- |
- |
-
-
-
-
- {{::claim.id}} |
-
-
- {{::claim.clientName}}
-
- |
- {{::claim.created | date:'dd/MM/yyyy'}} |
-
-
- {{::claim.workerName}}
-
- |
-
-
- {{::claim.stateDescription}}
-
- |
-
-
-
- |
-
-
-
-
-
-
-
-
-
-
-
-
-
-
diff --git a/modules/claim/front/index/index.js b/modules/claim/front/index/index.js
deleted file mode 100644
index e3fdabf79..000000000
--- a/modules/claim/front/index/index.js
+++ /dev/null
@@ -1,82 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
-
- this.smartTableOptions = {
- activeButtons: {
- search: true
- },
- columns: [
- {
- field: 'clientName',
- autocomplete: {
- url: 'Clients',
- showField: 'name',
- valueField: 'name'
- }
- },
- {
- field: 'workerFk',
- autocomplete: {
- url: 'Workers/activeWithInheritedRole',
- where: `{role: 'salesPerson'}`,
- searchFunction: '{firstName: $search}',
- showField: 'name',
- valueField: 'id',
- }
- },
- {
- field: 'claimStateFk',
- autocomplete: {
- url: 'ClaimStates',
- showField: 'description',
- valueField: 'id',
- }
- },
- {
- field: 'created',
- searchable: false
- }
- ]
- };
- }
-
- exprBuilder(param, value) {
- switch (param) {
- case 'clientName':
- return {'cl.clientName': {like: `%${value}%`}};
- case 'clientFk':
- case 'claimStateFk':
- case 'workerFk':
- return {[`cl.${param}`]: value};
- }
- }
-
- stateColor(code) {
- switch (code) {
- case 'pending':
- return 'warning';
- case 'managed':
- return 'notice';
- case 'resolved':
- return 'success';
- }
- }
-
- preview(claim) {
- this.claimSelected = claim;
- this.$.summary.show();
- }
-
- reload() {
- this.$.model.refresh();
- }
-}
-
-ngModule.vnComponent('vnClaimIndex', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/claim/front/log/index.html b/modules/claim/front/log/index.html
deleted file mode 100644
index 500a626d6..000000000
--- a/modules/claim/front/log/index.html
+++ /dev/null
@@ -1,4 +0,0 @@
-
-
\ No newline at end of file
diff --git a/modules/claim/front/log/index.js b/modules/claim/front/log/index.js
deleted file mode 100644
index 0143a612b..000000000
--- a/modules/claim/front/log/index.js
+++ /dev/null
@@ -1,7 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-ngModule.vnComponent('vnClaimLog', {
- template: require('./index.html'),
- controller: Section,
-});
diff --git a/modules/claim/front/main/index.html b/modules/claim/front/main/index.html
index f38cc573f..e69de29bb 100644
--- a/modules/claim/front/main/index.html
+++ b/modules/claim/front/main/index.html
@@ -1,19 +0,0 @@
-
-
-
-
-
-
-
-
-
-
\ No newline at end of file
diff --git a/modules/claim/front/main/index.js b/modules/claim/front/main/index.js
index 0c5c7d728..cbbbe0c7e 100644
--- a/modules/claim/front/main/index.js
+++ b/modules/claim/front/main/index.js
@@ -1,7 +1,18 @@
import ngModule from '../module';
import ModuleMain from 'salix/components/module-main';
+export default class Claim extends ModuleMain {
+ constructor($element, $) {
+ super($element, $);
+ }
+ async $onInit() {
+ this.$state.go('home');
+ window.location.href = await this.vnApp.getUrl(`Claim/`);
+ }
+}
+
ngModule.vnComponent('vnClaim', {
- controller: ModuleMain,
+ controller: Claim,
template: require('./index.html')
});
+
diff --git a/modules/claim/front/note/create/index.html b/modules/claim/front/note/create/index.html
deleted file mode 100644
index 8a882a4f5..000000000
--- a/modules/claim/front/note/create/index.html
+++ /dev/null
@@ -1,30 +0,0 @@
-
-
-
diff --git a/modules/claim/front/note/create/index.js b/modules/claim/front/note/create/index.js
deleted file mode 100644
index 40ae9309b..000000000
--- a/modules/claim/front/note/create/index.js
+++ /dev/null
@@ -1,22 +0,0 @@
-import ngModule from '../../module';
-import Section from 'salix/components/section';
-
-export default class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.note = {
- claimFk: parseInt(this.$params.id),
- workerFk: window.localStorage.currentUserWorkerId,
- text: null
- };
- }
-
- cancel() {
- this.$state.go('claim.card.note.index', {id: this.$params.id});
- }
-}
-
-ngModule.vnComponent('vnClaimNoteCreate', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/claim/front/note/index/index.html b/modules/claim/front/note/index/index.html
deleted file mode 100644
index 8ffe19c2b..000000000
--- a/modules/claim/front/note/index/index.html
+++ /dev/null
@@ -1,32 +0,0 @@
-
-
-
-
-
-
- {{::note.worker.firstName}} {{::note.worker.lastName}}
- {{::note.created | date:'dd/MM/yyyy HH:mm'}}
-
-
- {{::note.text}}
-
-
-
-
-
-
-
\ No newline at end of file
diff --git a/modules/claim/front/note/index/index.js b/modules/claim/front/note/index/index.js
deleted file mode 100644
index 5a2fd96d3..000000000
--- a/modules/claim/front/note/index/index.js
+++ /dev/null
@@ -1,25 +0,0 @@
-import ngModule from '../../module';
-import Section from 'salix/components/section';
-import './style.scss';
-
-export default class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.filter = {
- order: 'created DESC',
- };
- this.include = {
- relation: 'worker',
- scope: {
- fields: ['id', 'firstName', 'lastName']
- }
- };
- }
-}
-
-Controller.$inject = ['$element', '$scope'];
-
-ngModule.vnComponent('vnClaimNote', {
- template: require('./index.html'),
- controller: Controller,
-});
diff --git a/modules/claim/front/note/index/style.scss b/modules/claim/front/note/index/style.scss
deleted file mode 100644
index 44ae2cee7..000000000
--- a/modules/claim/front/note/index/style.scss
+++ /dev/null
@@ -1,5 +0,0 @@
-vn-client-note {
- .note:last-child {
- margin-bottom: 0;
- }
-}
\ No newline at end of file
diff --git a/modules/claim/front/photos/index.html b/modules/claim/front/photos/index.html
deleted file mode 100644
index 8b1378917..000000000
--- a/modules/claim/front/photos/index.html
+++ /dev/null
@@ -1 +0,0 @@
-
diff --git a/modules/claim/front/photos/index.js b/modules/claim/front/photos/index.js
deleted file mode 100644
index c9fada9a4..000000000
--- a/modules/claim/front/photos/index.js
+++ /dev/null
@@ -1,21 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- }
-
- async $onInit() {
- const url = await this.vnApp.getUrl(`claim/${this.$params.id}/photos`);
- window.location.href = url;
- }
-}
-
-ngModule.vnComponent('vnClaimPhotos', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- claim: '<'
- }
-});
diff --git a/modules/claim/front/search-panel/index.html b/modules/claim/front/search-panel/index.html
deleted file mode 100644
index 260f86801..000000000
--- a/modules/claim/front/search-panel/index.html
+++ /dev/null
@@ -1,84 +0,0 @@
-
-
-
diff --git a/modules/claim/front/search-panel/index.js b/modules/claim/front/search-panel/index.js
deleted file mode 100644
index 2400b8ede..000000000
--- a/modules/claim/front/search-panel/index.js
+++ /dev/null
@@ -1,14 +0,0 @@
-import ngModule from '../module';
-import SearchPanel from 'core/components/searchbar/search-panel';
-
-class Controller extends SearchPanel {
- itemSearchFunc($search) {
- return /^\d+$/.test($search)
- ? {id: $search}
- : {name: {like: '%' + $search + '%'}};
- }
-}
-ngModule.vnComponent('vnClaimSearchPanel', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/claim/front/search-panel/locale/es.yml b/modules/claim/front/search-panel/locale/es.yml
deleted file mode 100644
index 1f892a742..000000000
--- a/modules/claim/front/search-panel/locale/es.yml
+++ /dev/null
@@ -1,7 +0,0 @@
-Ticket id: Id ticket
-Client id: Id cliente
-Nickname: Alias
-From: Desde
-To: Hasta
-Agency: Agencia
-Warehouse: Almacén
\ No newline at end of file
diff --git a/modules/claim/front/summary/index.html b/modules/claim/front/summary/index.html
deleted file mode 100644
index b5225e6f4..000000000
--- a/modules/claim/front/summary/index.html
+++ /dev/null
@@ -1,273 +0,0 @@
-
-
-
-
-
-
-
- {{::$ctrl.summary.claim.id}} - {{::$ctrl.summary.claim.client.name}}
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- Observations
-
-
-
- {{::note.worker.firstName}} {{::note.worker.lastName}}
- {{::note.created | date:'dd/MM/yyyy HH:mm'}}
-
-
- {{::note.text}}
-
-
-
-
-
-
- Detail
-
-
-
-
-
- Item
- Landed
- Quantity
- Claimed
- Description
- Price
- Disc.
- Total
-
-
-
-
-
-
- {{::saleClaimed.sale.itemFk}}
-
-
- {{::saleClaimed.sale.ticket.landed | date: 'dd/MM/yyyy'}}
- {{::saleClaimed.sale.quantity}}
- {{::saleClaimed.quantity}}
- {{::saleClaimed.sale.concept}}
- {{::saleClaimed.sale.price | currency: 'EUR':2}}
- {{::saleClaimed.sale.discount}} %
-
- {{saleClaimed.sale.quantity * saleClaimed.sale.price *
- ((100 - saleClaimed.sale.discount) / 100) | currency: 'EUR':2}}
-
-
-
-
-
-
-
- Photos
-
-
-
-
-
-
-
- Development
-
-
-
-
-
- Reason
- Result
- Responsible
- Worker
- Redelivery
-
-
-
-
- {{::development.claimReason.description}}
- {{::development.claimResult.description}}
- {{::development.claimResponsible.description}}
-
-
- {{::development.worker.user.nickname}}
-
-
- {{::development.claimRedelivery.description}}
-
-
-
-
-
-
-
-
- Action
-
-
-
-
-
-
-
-
-
-
-
- Item
- Ticket
- Destination
- Landed
- Quantity
- Description
- Price
- Disc.
- Total
-
-
-
-
-
-
- {{::action.sale.itemFk}}
-
-
-
-
- {{::action.sale.ticket.id}}
-
-
- {{::action.claimBeggining.description}}
- {{::action.sale.ticket.landed | date: 'dd/MM/yyyy'}}
- {{::action.sale.quantity}}
- {{::action.sale.concept}}
- {{::action.sale.price}}
- {{::action.sale.discount}} %
-
- {{action.sale.quantity * action.sale.price *
- ((100 - action.sale.discount) / 100) | currency: 'EUR':2}}
-
-
-
-
-
-
-
-
-
-
-
-
-
-
diff --git a/modules/claim/front/summary/index.js b/modules/claim/front/summary/index.js
deleted file mode 100644
index 7cd4805e9..000000000
--- a/modules/claim/front/summary/index.js
+++ /dev/null
@@ -1,103 +0,0 @@
-import ngModule from '../module';
-import Summary from 'salix/components/summary';
-import './style.scss';
-
-class Controller extends Summary {
- constructor($element, $, vnFile) {
- super($element, $);
- this.vnFile = vnFile;
- this.filter = {
- include: [
- {
- relation: 'dms'
- }
- ]
- };
- }
-
- $onChanges() {
- if (this.claim && this.claim.id)
- this.loadData();
- }
-
- loadData() {
- return this.$http.get(`Claims/${this.claim.id}/getSummary`).then(res => {
- if (res && res.data)
- this.summary = res.data;
- });
- }
-
- reload() {
- this.loadData()
- .then(() => {
- if (this.card)
- this.card.reload();
-
- if (this.parentReload)
- this.parentReload();
- });
- }
-
- get isSalesPerson() {
- return this.aclService.hasAny(['salesPerson']);
- }
-
- get isClaimManager() {
- return this.aclService.hasAny(['claimManager']);
- }
-
- get claim() {
- return this._claim;
- }
-
- set claim(value) {
- this._claim = value;
-
- // Get DMS on summary load
- if (value) {
- this.$.$applyAsync(() => this.loadDms());
- this.loadData();
- }
- }
-
- loadDms() {
- this.$.model.where = {
- claimFk: this.claim.id
- };
- this.$.model.refresh();
- }
-
- getImagePath(dmsId) {
- return this.vnFile.getPath(`/api/dms/${dmsId}/downloadFile`);
- }
-
- changeState(value) {
- const params = {
- id: this.claim.id,
- claimStateFk: value
- };
-
- this.$http.patch(`Claims/updateClaim/${this.claim.id}`, params)
- .then(() => {
- this.reload();
- })
- .then(() => {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- });
- }
-}
-
-Controller.$inject = ['$element', '$scope', 'vnFile'];
-
-ngModule.vnComponent('vnClaimSummary', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- claim: '<',
- model: '',
- parentReload: '&'
- },
- require: {
- card: '?^vnClaimCard'
- }
-});
diff --git a/modules/claim/front/summary/index.spec.js b/modules/claim/front/summary/index.spec.js
deleted file mode 100644
index 8540a3a97..000000000
--- a/modules/claim/front/summary/index.spec.js
+++ /dev/null
@@ -1,55 +0,0 @@
-import './index.js';
-import crudModel from 'core/mocks/crud-model';
-
-describe('Claim', () => {
- describe('Component summary', () => {
- let controller;
- let $httpBackend;
- let $scope;
-
- beforeEach(ngModule('claim'));
-
- beforeEach(inject(($componentController, _$httpBackend_, $rootScope) => {
- $scope = $rootScope.$new();
- $httpBackend = _$httpBackend_;
- const $element = angular.element('');
- controller = $componentController('vnClaimSummary', {$element, $scope});
- controller.claim = {id: 1};
- controller.$.model = crudModel;
- }));
-
- describe('loadData()', () => {
- it('should perform a query to set summary', () => {
- $httpBackend.when('GET', `Claims/1/getSummary`).respond(200, 24);
- controller.loadData();
- $httpBackend.flush();
-
- expect(controller.summary).toEqual(24);
- });
- });
-
- describe('changeState()', () => {
- it('should make an HTTP post query, then call the showSuccess()', () => {
- jest.spyOn(controller.vnApp, 'showSuccess').mockReturnThis();
-
- const expectedParams = {id: 1, claimStateFk: 1};
- $httpBackend.when('GET', `Claims/1/getSummary`).respond(200, 24);
- $httpBackend.expect('PATCH', `Claims/updateClaim/1`, expectedParams).respond(200);
- controller.changeState(1);
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('$onChanges()', () => {
- it('should call loadData when $onChanges is called', () => {
- jest.spyOn(controller, 'loadData');
-
- controller.$onChanges();
-
- expect(controller.loadData).toHaveBeenCalledWith();
- });
- });
- });
-});
diff --git a/modules/claim/front/summary/style.scss b/modules/claim/front/summary/style.scss
deleted file mode 100644
index 5b4e32f7a..000000000
--- a/modules/claim/front/summary/style.scss
+++ /dev/null
@@ -1,28 +0,0 @@
-@import "./variables";
-
-vn-claim-summary {
- section.photo {
- height: 248px;
- }
- .photo .image {
- border-radius: 3px;
- }
- vn-textarea *{
- height: 80px;
- }
-
- .video {
- width: 100%;
- height: 100%;
- object-fit: cover;
- cursor: pointer;
- box-shadow: 0 2px 2px 0 rgba(0,0,0,.14),
- 0 3px 1px -2px rgba(0,0,0,.2),
- 0 1px 5px 0 rgba(0,0,0,.12);
- border: 2px solid transparent;
-
- }
- .video:hover {
- border: 2px solid $color-primary
- }
-}
\ No newline at end of file
diff --git a/modules/invoiceIn/back/methods/invoice-in/filter.js b/modules/invoiceIn/back/methods/invoice-in/filter.js
index d72d7fc63..8a884e211 100644
--- a/modules/invoiceIn/back/methods/invoice-in/filter.js
+++ b/modules/invoiceIn/back/methods/invoice-in/filter.js
@@ -119,6 +119,7 @@ module.exports = Self => {
}
let correctings;
+
let correcteds;
if (args.correctedFk) {
correctings = await models.InvoiceInCorrection.find({
@@ -154,6 +155,7 @@ module.exports = Self => {
case 'awbCode':
return {'sub.code': value};
case 'correctingFk':
+ if (!correcteds.length && !args.correctingFk) return;
return args.correctingFk
? {'ii.id': {inq: correcteds.map(x => x.correctingFk)}}
: {'ii.id': {nin: correcteds.map(x => x.correctingFk)}};
diff --git a/modules/invoiceIn/front/basic-data/index.html b/modules/invoiceIn/front/basic-data/index.html
deleted file mode 100644
index fbb9b05a2..000000000
--- a/modules/invoiceIn/front/basic-data/index.html
+++ /dev/null
@@ -1,315 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
diff --git a/modules/invoiceIn/front/basic-data/index.js b/modules/invoiceIn/front/basic-data/index.js
deleted file mode 100644
index 246f1b16f..000000000
--- a/modules/invoiceIn/front/basic-data/index.js
+++ /dev/null
@@ -1,187 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-import UserError from 'core/lib/user-error';
-
-class Controller extends Section {
- constructor($element, $, vnFile) {
- super($element, $, vnFile);
- this.dms = {
- files: [],
- hasFile: false,
- hasFileAttached: false
- };
- this.vnFile = vnFile;
- this.getAllowedContentTypes();
- this._editDownloadDisabled = false;
- }
-
- get contentTypesInfo() {
- return this.$t('ContentTypesInfo', {
- allowedContentTypes: this.allowedContentTypes
- });
- }
-
- get editDownloadDisabled() {
- return this._editDownloadDisabled;
- }
-
- async checkFileExists(dmsId) {
- if (!dmsId) return;
- let filter = {
- fields: ['id']
- };
- await this.$http.get(`Dms/${dmsId}`, {filter})
- .then(() => this._editDownloadDisabled = false)
- .catch(() => this._editDownloadDisabled = true);
- }
-
- async getFile(dmsId) {
- const path = `Dms/${dmsId}`;
- await this.$http.get(path).then(res => {
- const dms = res.data && res.data;
- this.dms = {
- dmsId: dms.id,
- reference: dms.reference,
- warehouseId: dms.warehouseFk,
- companyId: dms.companyFk,
- dmsTypeId: dms.dmsTypeFk,
- description: dms.description,
- hasFile: dms.hasFile,
- hasFileAttached: false,
- files: []
- };
- });
- }
-
- getAllowedContentTypes() {
- this.$http.get('DmsContainers/allowedContentTypes').then(res => {
- if (res.data.length > 0) {
- const contentTypes = res.data.join(', ');
- this.allowedContentTypes = contentTypes;
- }
- });
- }
-
- openEditDialog(dmsId) {
- this.getFile(dmsId).then(() => this.$.dmsEditDialog.show());
- }
-
- openCreateDialog() {
- const params = {filter: {
- where: {code: 'invoiceIn'}
- }};
- this.$http.get('DmsTypes/findOne', {params}).then(res => {
- this.dms = {
- reference: this.invoiceIn.supplierRef,
- warehouseId: this.vnConfig.warehouseFk,
- companyId: this.vnConfig.companyFk,
- dmsTypeId: res.data.id,
- description: this.invoiceIn.supplier.name,
- hasFile: true,
- hasFileAttached: true,
- files: null
- };
- this.$.dmsCreateDialog.show();
- });
- }
-
- downloadFile(dmsId) {
- this.vnFile.download(`api/dms/${dmsId}/downloadFile`);
- }
-
- onFileChange(files) {
- let hasFileAttached = false;
- if (files.length > 0)
- hasFileAttached = true;
-
- this.$.$applyAsync(() => {
- this.dms.hasFileAttached = hasFileAttached;
- });
- }
-
- onEdit() {
- if (!this.dms.companyId)
- throw new UserError(`The company can't be empty`);
- if (!this.dms.warehouseId)
- throw new UserError(`The warehouse can't be empty`);
- if (!this.dms.dmsTypeId)
- throw new UserError(`The DMS Type can't be empty`);
- if (!this.dms.description)
- throw new UserError(`The description can't be empty`);
-
- const query = `dms/${this.dms.dmsId}/updateFile`;
- const options = {
- method: 'POST',
- url: query,
- params: this.dms,
- headers: {
- 'Content-Type': undefined
- },
- transformRequest: files => {
- const formData = new FormData();
-
- for (let i = 0; i < files.length; i++)
- formData.append(files[i].name, files[i]);
-
- return formData;
- },
- data: this.dms.files
- };
-
- this.$http(options).then(res => {
- if (res) {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- if (res.data.length > 0) this.invoiceIn.dmsFk = res.data[0].id;
- }
- });
- }
-
- onCreate() {
- if (!this.dms.companyId)
- throw new UserError(`The company can't be empty`);
- if (!this.dms.warehouseId)
- throw new UserError(`The warehouse can't be empty`);
- if (!this.dms.dmsTypeId)
- throw new UserError(`The DMS Type can't be empty`);
- if (!this.dms.description)
- throw new UserError(`The description can't be empty`);
- if (!this.dms.files)
- throw new UserError(`The files can't be empty`);
-
- const query = `Dms/uploadFile`;
- const options = {
- method: 'POST',
- url: query,
- params: this.dms,
- headers: {
- 'Content-Type': undefined
- },
- transformRequest: files => {
- const formData = new FormData();
-
- for (let i = 0; i < files.length; i++)
- formData.append(files[i].name, files[i]);
-
- return formData;
- },
- data: this.dms.files
- };
-
- this.$http(options).then(res => {
- if (res) {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- if (res.data.length > 0) this.invoiceIn.dmsFk = res.data[0].id;
- }
- });
- }
-}
-
-Controller.$inject = ['$element', '$scope', 'vnFile'];
-
-ngModule.vnComponent('vnInvoiceInBasicData', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- invoiceIn: '<'
- }
-});
diff --git a/modules/invoiceIn/front/basic-data/index.spec.js b/modules/invoiceIn/front/basic-data/index.spec.js
deleted file mode 100644
index 98710ac35..000000000
--- a/modules/invoiceIn/front/basic-data/index.spec.js
+++ /dev/null
@@ -1,102 +0,0 @@
-import './index.js';
-import watcher from 'core/mocks/watcher';
-
-describe('InvoiceIn', () => {
- describe('Component vnInvoiceInBasicData', () => {
- let controller;
- let $scope;
- let $httpBackend;
- let $httpParamSerializer;
-
- beforeEach(ngModule('invoiceIn'));
-
- beforeEach(inject(($componentController, $rootScope, _$httpBackend_, _$httpParamSerializer_) => {
- $scope = $rootScope.$new();
- $httpBackend = _$httpBackend_;
- $httpParamSerializer = _$httpParamSerializer_;
- const $element = angular.element('');
- controller = $componentController('vnInvoiceInBasicData', {$element, $scope});
- controller.$.watcher = watcher;
- $httpBackend.expect('GET', `DmsContainers/allowedContentTypes`).respond({});
- }));
-
- describe('onFileChange()', () => {
- it('should set dms hasFileAttached property to true if has any files', () => {
- const files = [{id: 1, name: 'MyFile'}];
- controller.onFileChange(files);
-
- $scope.$apply();
-
- expect(controller.dms.hasFileAttached).toBeTruthy();
- });
- });
-
- describe('checkFileExists()', () => {
- it(`should return false if a file exists`, () => {
- const fileIdExists = 1;
- controller.checkFileExists(fileIdExists);
-
- expect(controller.editDownloadDisabled).toBe(false);
- });
- });
-
- describe('onEdit()', () => {
- it(`should perform a POST query to edit the dms properties`, () => {
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- const dms = {
- dmsId: 1,
- reference: 'Ref1',
- warehouseId: 1,
- companyId: 442,
- dmsTypeId: 20,
- description: 'This is a description',
- files: []
- };
-
- controller.dms = dms;
- const serializedParams = $httpParamSerializer(controller.dms);
- const query = `dms/${controller.dms.dmsId}/updateFile?${serializedParams}`;
-
- $httpBackend.expectPOST(query).respond({});
- controller.onEdit();
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('onCreate()', () => {
- it(`should perform a POST query to create a new dms`, () => {
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- const dms = {
- reference: 'Ref1',
- warehouseId: 1,
- companyId: 442,
- dmsTypeId: 20,
- description: 'This is a description',
- files: [{
- lastModified: 1668673957761,
- lastModifiedDate: Date.vnNew(),
- name: 'file-example.png',
- size: 19653,
- type: 'image/png',
- webkitRelativePath: ''
- }]
- };
-
- controller.dms = dms;
- const serializedParams = $httpParamSerializer(controller.dms);
- const query = `Dms/uploadFile?${serializedParams}`;
-
- $httpBackend.expectPOST(query).respond({});
- controller.onCreate();
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
- });
-});
-
diff --git a/modules/invoiceIn/front/basic-data/locale/en.yml b/modules/invoiceIn/front/basic-data/locale/en.yml
deleted file mode 100644
index 19f4dc8c2..000000000
--- a/modules/invoiceIn/front/basic-data/locale/en.yml
+++ /dev/null
@@ -1 +0,0 @@
-ContentTypesInfo: Allowed file types {{allowedContentTypes}}
diff --git a/modules/invoiceIn/front/basic-data/locale/es.yml b/modules/invoiceIn/front/basic-data/locale/es.yml
deleted file mode 100644
index e2e494fa5..000000000
--- a/modules/invoiceIn/front/basic-data/locale/es.yml
+++ /dev/null
@@ -1,15 +0,0 @@
-Upload file: Subir fichero
-Edit file: Editar fichero
-Upload: Subir
-Document: Documento
-ContentTypesInfo: "Tipos de archivo permitidos: {{allowedContentTypes}}"
-Generate identifier for original file: Generar identificador para archivo original
-File management: Gestión documental
-Hard copy: Copia
-This file will be deleted: Este fichero va a ser borrado
-Are you sure?: Estas seguro?
-File deleted: Fichero eliminado
-Remove file: Eliminar fichero
-Download file: Descargar fichero
-Edit document: Editar documento
-Create document: Crear documento
diff --git a/modules/invoiceIn/front/create/index.html b/modules/invoiceIn/front/create/index.html
deleted file mode 100644
index 16ecf26cf..000000000
--- a/modules/invoiceIn/front/create/index.html
+++ /dev/null
@@ -1,55 +0,0 @@
-
-
-
\ No newline at end of file
diff --git a/modules/invoiceIn/front/create/index.js b/modules/invoiceIn/front/create/index.js
deleted file mode 100644
index 885d55359..000000000
--- a/modules/invoiceIn/front/create/index.js
+++ /dev/null
@@ -1,30 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- $onInit() {
- this.invoiceIn = {};
- if (this.$params && this.$params.supplierFk)
- this.invoiceIn.supplierFk = this.$params.supplierFk;
- this.invoiceIn.issued = Date.vnNew();
- }
-
- get companyFk() {
- return this.invoiceIn.companyFk || this.vnConfig.companyFk;
- }
-
- set companyFk(value) {
- this.invoiceIn.companyFk = value;
- }
-
- onSubmit() {
- this.$.watcher.submit().then(
- res => this.$state.go('invoiceIn.card.basicData', {id: res.data.id})
- );
- }
-}
-
-ngModule.vnComponent('vnInvoiceInCreate', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/invoiceIn/front/create/locale/es.yml b/modules/invoiceIn/front/create/locale/es.yml
deleted file mode 100644
index 35bfe3ca4..000000000
--- a/modules/invoiceIn/front/create/locale/es.yml
+++ /dev/null
@@ -1 +0,0 @@
-a:a
\ No newline at end of file
diff --git a/modules/invoiceIn/front/dueDay/index.html b/modules/invoiceIn/front/dueDay/index.html
deleted file mode 100644
index abc91312d..000000000
--- a/modules/invoiceIn/front/dueDay/index.html
+++ /dev/null
@@ -1,71 +0,0 @@
-
-
-
-
-
\ No newline at end of file
diff --git a/modules/invoiceIn/front/dueDay/index.js b/modules/invoiceIn/front/dueDay/index.js
deleted file mode 100644
index ee9b13e5c..000000000
--- a/modules/invoiceIn/front/dueDay/index.js
+++ /dev/null
@@ -1,37 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- add() {
- this.$.model.insert({
- dueDated: Date.vnNew(),
- bankFk: this.vnConfig.local.bankFk
- });
- }
-
- onSubmit() {
- this.$.watcher.check();
- this.$.model.save().then(() => {
- this.$.watcher.notifySaved();
- this.$.watcher.updateOriginalData();
- this.card.reload();
- });
- }
-
- bankSearchFunc($search) {
- return /^\d+$/.test($search)
- ? {id: $search}
- : {bank: {like: '%' + $search + '%'}};
- }
-}
-
-ngModule.vnComponent('vnInvoiceInDueDay', {
- template: require('./index.html'),
- controller: Controller,
- require: {
- card: '^vnInvoiceInCard'
- },
- bindings: {
- invoiceIn: '<'
- }
-});
diff --git a/modules/invoiceIn/front/dueDay/index.spec.js b/modules/invoiceIn/front/dueDay/index.spec.js
deleted file mode 100644
index 7dddd3bb0..000000000
--- a/modules/invoiceIn/front/dueDay/index.spec.js
+++ /dev/null
@@ -1,44 +0,0 @@
-import './index.js';
-import watcher from 'core/mocks/watcher';
-import crudModel from 'core/mocks/crud-model';
-
-describe('InvoiceIn', () => {
- describe('Component due day', () => {
- let controller;
- let $scope;
- let vnApp;
-
- beforeEach(ngModule('invoiceIn'));
-
- beforeEach(inject(($componentController, $rootScope, _vnApp_) => {
- vnApp = _vnApp_;
- jest.spyOn(vnApp, 'showError');
- $scope = $rootScope.$new();
- $scope.model = crudModel;
- $scope.watcher = watcher;
-
- const $element = angular.element('');
- controller = $componentController('vnInvoiceInDueDay', {$element, $scope});
- controller.invoiceIn = {id: 1};
- }));
-
- describe('onSubmit()', () => {
- it('should make HTTP POST request to save due day values', () => {
- controller.card = {reload: () => {}};
- jest.spyOn($scope.watcher, 'check');
- jest.spyOn($scope.watcher, 'notifySaved');
- jest.spyOn($scope.watcher, 'updateOriginalData');
- jest.spyOn(controller.card, 'reload');
- jest.spyOn($scope.model, 'save');
-
- controller.onSubmit();
-
- expect($scope.model.save).toHaveBeenCalledWith();
- expect($scope.watcher.updateOriginalData).toHaveBeenCalledWith();
- expect($scope.watcher.check).toHaveBeenCalledWith();
- expect($scope.watcher.notifySaved).toHaveBeenCalledWith();
- expect(controller.card.reload).toHaveBeenCalledWith();
- });
- });
- });
-});
diff --git a/modules/invoiceIn/front/index.js b/modules/invoiceIn/front/index.js
index e257cfee3..8155e7089 100644
--- a/modules/invoiceIn/front/index.js
+++ b/modules/invoiceIn/front/index.js
@@ -1,17 +1,7 @@
export * from './module';
import './main';
-import './index/';
-import './search-panel';
import './card';
import './descriptor';
import './descriptor-popover';
import './summary';
-import './basic-data';
-import './tax';
-import './dueDay';
-import './intrastat';
-import './create';
-import './log';
-import './serial';
-import './serial-search-panel';
diff --git a/modules/invoiceIn/front/index/index.html b/modules/invoiceIn/front/index/index.html
deleted file mode 100644
index 008d615b1..000000000
--- a/modules/invoiceIn/front/index/index.html
+++ /dev/null
@@ -1,82 +0,0 @@
-
-
-
-
-
-
-
- ID
- Supplier
- Supplier ref.
- Serial number
- Serial
- File
- Issued
- Is booked
- AWB
- Amount
-
-
-
-
-
- {{::invoiceIn.id}}
-
-
- {{::invoiceIn.supplierName}}
-
-
- {{::invoiceIn.supplierRef | dashIfEmpty}}
- {{::invoiceIn.serialNumber}}
- {{::invoiceIn.serial}}
-
-
- {{::invoiceIn.file}}
-
-
- {{::invoiceIn.issued | date:'dd/MM/yyyy' | dashIfEmpty}}
-
-
-
-
- {{::invoiceIn.awbCode}}
- {{::invoiceIn.amount | currency:'EUR'}}
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
\ No newline at end of file
diff --git a/modules/invoiceIn/front/index/index.js b/modules/invoiceIn/front/index/index.js
deleted file mode 100644
index 254e6d3bf..000000000
--- a/modules/invoiceIn/front/index/index.js
+++ /dev/null
@@ -1,58 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-export default class Controller extends Section {
- constructor($element, $, vnFile) {
- super($element, $, vnFile);
- this.vnFile = vnFile;
- }
-
- exprBuilder(param, value) {
- switch (param) {
- case 'issued':
- return {'ii.issued': {
- between: this.dateRange(value)}
- };
- case 'id':
- case 'supplierFk':
- case 'supplierRef':
- case 'serialNumber':
- case 'serial':
- case 'created':
- case 'isBooked':
- return {[`ii.${param}`]: value};
- case 'account':
- case 'fi':
- return {[`s.${param}`]: value};
- case 'awbCode':
- return {'awb.code': value};
- default:
- return {[param]: value};
- }
- }
-
- dateRange(value) {
- const minHour = new Date(value);
- minHour.setHours(0, 0, 0, 0);
- const maxHour = new Date(value);
- maxHour.setHours(23, 59, 59, 59);
-
- return [minHour, maxHour];
- }
-
- preview(invoiceIn) {
- this.selectedInvoiceIn = invoiceIn;
- this.$.summary.show();
- }
-
- downloadFile(dmsId) {
- this.vnFile.download(`api/dms/${dmsId}/downloadFile`);
- }
-}
-
-Controller.$inject = ['$element', '$scope', 'vnFile'];
-
-ngModule.vnComponent('vnInvoiceInIndex', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/invoiceIn/front/index/locale/es.yml b/modules/invoiceIn/front/index/locale/es.yml
deleted file mode 100644
index e1b354316..000000000
--- a/modules/invoiceIn/front/index/locale/es.yml
+++ /dev/null
@@ -1,6 +0,0 @@
-Created: Fecha creación
-Issued: Fecha emisión
-Supplier ref.: Ref. proveedor
-Serial number: Num. serie
-Serial: Serie
-Is booked: Conciliada
\ No newline at end of file
diff --git a/modules/invoiceIn/front/intrastat/index.html b/modules/invoiceIn/front/intrastat/index.html
deleted file mode 100644
index b15fdf543..000000000
--- a/modules/invoiceIn/front/intrastat/index.html
+++ /dev/null
@@ -1,100 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
\ No newline at end of file
diff --git a/modules/invoiceIn/front/intrastat/index.js b/modules/invoiceIn/front/intrastat/index.js
deleted file mode 100644
index 659929513..000000000
--- a/modules/invoiceIn/front/intrastat/index.js
+++ /dev/null
@@ -1,60 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- set invoceInIntrastat(value) {
- this._invoceInIntrastat = value;
-
- if (value) this.calculateTotals();
- }
-
- get invoceInIntrastat() {
- return this._invoceInIntrastat;
- }
-
- calculateTotals() {
- this.amountTotal = 0.0;
- this.netTotal = 0.0;
- this.stemsTotal = 0.0;
- if (!this.invoceInIntrastat) return;
-
- this.invoceInIntrastat.forEach(intrastat => {
- this.amountTotal += intrastat.amount;
- this.netTotal += intrastat.net;
- this.stemsTotal += intrastat.stems;
- });
- }
-
- add() {
- this.$.model.insert({});
- }
-
- deleteIntrastat($index) {
- this.$.model.remove($index);
- this.$.model.save().then(() => {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- this.calculateTotals();
- });
- }
-
- onSubmit() {
- this.$.watcher.check();
- this.$.model.save().then(() => {
- this.$.watcher.notifySaved();
- this.$.watcher.updateOriginalData();
- this.calculateTotals();
- this.card.reload();
- });
- }
-}
-
-ngModule.vnComponent('vnInvoiceInIntrastat', {
- template: require('./index.html'),
- controller: Controller,
- require: {
- card: '^vnInvoiceInCard'
- },
- bindings: {
- invoiceIn: '<'
- }
-});
diff --git a/modules/invoiceIn/front/intrastat/index.spec.js b/modules/invoiceIn/front/intrastat/index.spec.js
deleted file mode 100644
index d7d50ac5b..000000000
--- a/modules/invoiceIn/front/intrastat/index.spec.js
+++ /dev/null
@@ -1,85 +0,0 @@
-import './index.js';
-import watcher from 'core/mocks/watcher';
-import crudModel from 'core/mocks/crud-model';
-
-describe('InvoiceIn', () => {
- describe('Component intrastat', () => {
- let controller;
- let $scope;
- let vnApp;
-
- beforeEach(ngModule('invoiceIn'));
-
- beforeEach(inject(($componentController, $rootScope, _vnApp_) => {
- vnApp = _vnApp_;
- jest.spyOn(vnApp, 'showError');
- $scope = $rootScope.$new();
- $scope.model = crudModel;
- $scope.watcher = watcher;
-
- const $element = angular.element('');
- controller = $componentController('vnInvoiceInIntrastat', {$element, $scope});
- controller.invoiceIn = {id: 1};
- }));
-
- describe('calculateTotals()', () => {
- it('should set amountTotal, netTotal and stemsTotal to 0 if salesClaimed has no data', () => {
- controller.invoceInIntrastat = [];
- controller.calculateTotals();
-
- expect(controller.amountTotal).toEqual(0);
- expect(controller.netTotal).toEqual(0);
- expect(controller.stemsTotal).toEqual(0);
- });
-
- it('should set amountTotal, netTotal and stemsTotal', () => {
- controller.invoceInIntrastat = [
- {
- id: 1,
- invoiceInFk: 1,
- net: 30.5,
- intrastatFk: 5080000,
- amount: 10,
- stems: 162,
- countryFk: 5,
- statisticalValue: 0
- },
- {
- id: 2,
- invoiceInFk: 1,
- net: 10,
- intrastatFk: 6021010,
- amount: 20,
- stems: 205,
- countryFk: 5,
- statisticalValue: 0
- }
- ];
- controller.calculateTotals();
-
- expect(controller.amountTotal).toEqual(30);
- expect(controller.netTotal).toEqual(40.5);
- expect(controller.stemsTotal).toEqual(367);
- });
- });
-
- describe('onSubmit()', () => {
- it('should make HTTP POST request to save intrastat values', () => {
- controller.card = {reload: () => {}};
- jest.spyOn($scope.watcher, 'check');
- jest.spyOn($scope.watcher, 'notifySaved');
- jest.spyOn($scope.watcher, 'updateOriginalData');
- jest.spyOn(controller.card, 'reload');
- jest.spyOn($scope.model, 'save');
-
- controller.onSubmit();
-
- expect($scope.model.save).toHaveBeenCalledWith();
- expect($scope.watcher.updateOriginalData).toHaveBeenCalledWith();
- expect($scope.watcher.check).toHaveBeenCalledWith();
- expect($scope.watcher.notifySaved).toHaveBeenCalledWith();
- expect(controller.card.reload).toHaveBeenCalledWith();
- });
- });
- });
-});
diff --git a/modules/invoiceIn/front/log/index.html b/modules/invoiceIn/front/log/index.html
deleted file mode 100644
index 2cfc9dfb1..000000000
--- a/modules/invoiceIn/front/log/index.html
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/modules/invoiceIn/front/log/index.js b/modules/invoiceIn/front/log/index.js
deleted file mode 100644
index 7a018de0f..000000000
--- a/modules/invoiceIn/front/log/index.js
+++ /dev/null
@@ -1,7 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-ngModule.vnComponent('vnInvoiceInLog', {
- template: require('./index.html'),
- controller: Section,
-});
diff --git a/modules/invoiceIn/front/main/index.html b/modules/invoiceIn/front/main/index.html
index 2dc87b2ee..e69de29bb 100644
--- a/modules/invoiceIn/front/main/index.html
+++ b/modules/invoiceIn/front/main/index.html
@@ -1,18 +0,0 @@
-
-
-
-
-
-
-
-
-
-
\ No newline at end of file
diff --git a/modules/invoiceIn/front/main/index.js b/modules/invoiceIn/front/main/index.js
index f7b767458..c22b37924 100644
--- a/modules/invoiceIn/front/main/index.js
+++ b/modules/invoiceIn/front/main/index.js
@@ -1,7 +1,16 @@
import ngModule from '../module';
import ModuleMain from 'salix/components/module-main';
-export default class InvoiceIn extends ModuleMain {}
+export default class InvoiceIn extends ModuleMain {
+ constructor($element, $) {
+ super($element, $);
+ }
+
+ async $onInit() {
+ this.$state.go('home');
+ window.location.href = await this.vnApp.getUrl(`invoice-in/`);
+ }
+}
ngModule.vnComponent('vnInvoiceIn', {
controller: InvoiceIn,
diff --git a/modules/invoiceIn/front/search-panel/index.html b/modules/invoiceIn/front/search-panel/index.html
deleted file mode 100644
index 609fa56d8..000000000
--- a/modules/invoiceIn/front/search-panel/index.html
+++ /dev/null
@@ -1,97 +0,0 @@
-
-
-
diff --git a/modules/invoiceIn/front/search-panel/index.js b/modules/invoiceIn/front/search-panel/index.js
deleted file mode 100644
index a8e41b7ef..000000000
--- a/modules/invoiceIn/front/search-panel/index.js
+++ /dev/null
@@ -1,7 +0,0 @@
-import ngModule from '../module';
-import SearchPanel from 'core/components/searchbar/search-panel';
-
-ngModule.vnComponent('vnInvoiceInSearchPanel', {
- template: require('./index.html'),
- controller: SearchPanel
-});
diff --git a/modules/invoiceIn/front/search-panel/locale/es.yml b/modules/invoiceIn/front/search-panel/locale/es.yml
deleted file mode 100644
index 57e2944ea..000000000
--- a/modules/invoiceIn/front/search-panel/locale/es.yml
+++ /dev/null
@@ -1,2 +0,0 @@
-Supplier fiscal id: CIF proveedor
-Search invoices in by id or supplier fiscal name: Buscar facturas recibidas por id o por nombre fiscal del proveedor
\ No newline at end of file
diff --git a/modules/invoiceIn/front/serial-search-panel/index.html b/modules/invoiceIn/front/serial-search-panel/index.html
deleted file mode 100644
index 0dda54852..000000000
--- a/modules/invoiceIn/front/serial-search-panel/index.html
+++ /dev/null
@@ -1,27 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
- {{$ctrl.$t('Serial')}}: {{$ctrl.filter.serial}}
-
-
-
diff --git a/modules/invoiceIn/front/serial-search-panel/index.js b/modules/invoiceIn/front/serial-search-panel/index.js
deleted file mode 100644
index b11911ee3..000000000
--- a/modules/invoiceIn/front/serial-search-panel/index.js
+++ /dev/null
@@ -1,44 +0,0 @@
-import ngModule from '../module';
-import SearchPanel from 'core/components/searchbar/search-panel';
-import './style.scss';
-
-class Controller extends SearchPanel {
- constructor($element, $) {
- super($element, $);
- this.filter = {};
- const filter = {
- fields: ['daysAgo']
- };
- this.$http.get('InvoiceInConfigs', {filter}).then(res => {
- if (res.data) {
- this.invoiceInConfig = res.data[0];
- this.addFilters();
- }
- });
- }
-
- removeItemFilter(param) {
- this.filter[param] = null;
- this.addFilters();
- }
-
- onKeyPress($event) {
- if ($event.key === 'Enter')
- this.addFilters();
- }
-
- addFilters() {
- if (!this.filter.daysAgo)
- this.filter.daysAgo = this.invoiceInConfig.daysAgo;
-
- return this.model.addFilter({}, this.filter);
- }
-}
-
-ngModule.component('vnInvoiceInSerialSearchPanel', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- model: '<'
- }
-});
diff --git a/modules/invoiceIn/front/serial-search-panel/index.spec.js b/modules/invoiceIn/front/serial-search-panel/index.spec.js
deleted file mode 100644
index b5228e126..000000000
--- a/modules/invoiceIn/front/serial-search-panel/index.spec.js
+++ /dev/null
@@ -1,43 +0,0 @@
-import './index.js';
-
-describe('InvoiceIn', () => {
- describe('Component serial-search-panel', () => {
- let controller;
- let $scope;
-
- beforeEach(ngModule('invoiceIn'));
-
- beforeEach(inject(($componentController, $rootScope) => {
- $scope = $rootScope.$new();
- const $element = angular.element('');
- controller = $componentController('vnInvoiceInSerialSearchPanel', {$element, $scope});
- controller.model = {
- addFilter: jest.fn(),
- };
- controller.invoiceInConfig = {
- daysAgo: 45,
- };
- }));
-
- describe('addFilters()', () => {
- it('should add default daysAgo if it is not already set', () => {
- controller.filter = {
- serial: 'R',
- };
- controller.addFilters();
-
- expect(controller.filter.daysAgo).toEqual(controller.invoiceInConfig.daysAgo);
- });
-
- it('should not add default daysAgo if it is already set', () => {
- controller.filter = {
- daysAgo: 1,
- serial: 'R',
- };
- controller.addFilters();
-
- expect(controller.filter.daysAgo).toEqual(1);
- });
- });
- });
-});
diff --git a/modules/invoiceIn/front/serial-search-panel/style.scss b/modules/invoiceIn/front/serial-search-panel/style.scss
deleted file mode 100644
index 4abfcbfa2..000000000
--- a/modules/invoiceIn/front/serial-search-panel/style.scss
+++ /dev/null
@@ -1,24 +0,0 @@
-@import "variables";
-
-vn-invoice-in-serial-search-panel vn-side-menu div {
- & > .input {
- padding-left: $spacing-md;
- padding-right: $spacing-md;
- border-color: $color-spacer;
- border-bottom: $border-thin;
- }
- & > .horizontal {
- grid-auto-flow: column;
- grid-column-gap: $spacing-sm;
- align-items: center;
- }
- & > .chips {
- display: flex;
- flex-wrap: wrap;
- padding: $spacing-md;
- overflow: hidden;
- max-width: 100%;
- border-color: $color-spacer;
- border-top: $border-thin;
- }
-}
diff --git a/modules/invoiceIn/front/serial/index.html b/modules/invoiceIn/front/serial/index.html
deleted file mode 100644
index 1649ec7d7..000000000
--- a/modules/invoiceIn/front/serial/index.html
+++ /dev/null
@@ -1,40 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
- Serial
- Pending
- Total
-
-
-
-
-
- {{::invoiceIn.serial}}
- {{::invoiceIn.pending}}
- {{::invoiceIn.total}}
-
-
-
-
-
-
-
-
-
diff --git a/modules/invoiceIn/front/serial/index.js b/modules/invoiceIn/front/serial/index.js
deleted file mode 100644
index 193a57492..000000000
--- a/modules/invoiceIn/front/serial/index.js
+++ /dev/null
@@ -1,22 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-export default class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- }
-
- goToIndex(daysAgo, serial) {
- const issued = Date.vnNew();
- issued.setDate(issued.getDate() - daysAgo);
- this.$state.go('invoiceIn.index',
- {q: `{"serial": "${serial}", "isBooked": false, "from": ${issued.getTime()}}`});
- }
-}
-
-Controller.$inject = ['$element', '$scope'];
-
-ngModule.vnComponent('vnInvoiceInSerial', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/invoiceIn/front/serial/locale/es.yml b/modules/invoiceIn/front/serial/locale/es.yml
deleted file mode 100644
index 92a49cc82..000000000
--- a/modules/invoiceIn/front/serial/locale/es.yml
+++ /dev/null
@@ -1,3 +0,0 @@
-Serial: Serie
-Pending: Pendientes
-Go to InvoiceIn: Ir al listado de facturas recibidas
diff --git a/modules/invoiceIn/front/tax/index.html b/modules/invoiceIn/front/tax/index.html
deleted file mode 100644
index e13f769ce..000000000
--- a/modules/invoiceIn/front/tax/index.html
+++ /dev/null
@@ -1,149 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
-
- {{$ctrl.$t('New expense')}}
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
diff --git a/modules/invoiceIn/front/tax/index.js b/modules/invoiceIn/front/tax/index.js
deleted file mode 100644
index d05a77f29..000000000
--- a/modules/invoiceIn/front/tax/index.js
+++ /dev/null
@@ -1,66 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-import UserError from 'core/lib/user-error';
-
-class Controller extends Section {
- constructor($element, $, vnWeekDays) {
- super($element, $);
- this.expense = {};
- }
- taxRate(invoiceInTax, taxRateSelection) {
- const taxTypeSage = taxRateSelection && taxRateSelection.rate;
- const taxableBase = invoiceInTax && invoiceInTax.taxableBase;
-
- if (taxTypeSage && taxableBase)
- return (taxTypeSage / 100) * taxableBase;
-
- return 0;
- }
-
- add() {
- this.$.model.insert({
- invoiceIn: this.$params.id
- });
- }
-
- onSubmit() {
- this.$.watcher.check();
- this.$.model.save().then(() => {
- this.$.watcher.notifySaved();
- this.$.watcher.updateOriginalData();
- this.card.reload();
- });
- }
-
- onResponse() {
- try {
- if (!this.expense.code)
- throw new Error(`The code can't be empty`);
- if (!this.expense.description)
- throw new UserError(`The description can't be empty`);
-
- const data = [{
- id: this.expense.code,
- isWithheld: this.expense.isWithheld,
- name: this.expense.description
- }];
-
- this.$http.post(`Expenses`, data) .then(() => {
- this.vnApp.showSuccess(this.$t('Expense saved!'));
- });
- } catch (e) {
- this.vnApp.showError(this.$t(e.message));
- }
- }
-}
-
-ngModule.vnComponent('vnInvoiceInTax', {
- template: require('./index.html'),
- controller: Controller,
- require: {
- card: '^vnInvoiceInCard'
- },
- bindings: {
- invoiceIn: '<'
- }
-});
diff --git a/modules/invoiceIn/front/tax/index.spec.js b/modules/invoiceIn/front/tax/index.spec.js
deleted file mode 100644
index 52114afe5..000000000
--- a/modules/invoiceIn/front/tax/index.spec.js
+++ /dev/null
@@ -1,113 +0,0 @@
-import './index.js';
-import watcher from 'core/mocks/watcher';
-import crudModel from 'core/mocks/crud-model';
-
-describe('InvoiceIn', () => {
- describe('Component tax', () => {
- let controller;
- let $scope;
- let vnApp;
- let $httpBackend;
-
- beforeEach(ngModule('invoiceIn'));
-
- beforeEach(inject(($componentController, $rootScope, _vnApp_, _$httpBackend_) => {
- $httpBackend = _$httpBackend_;
- vnApp = _vnApp_;
- jest.spyOn(vnApp, 'showError');
- $scope = $rootScope.$new();
- $scope.model = crudModel;
- $scope.watcher = watcher;
-
- const $element = angular.element('');
- controller = $componentController('vnInvoiceInTax', {$element, $scope});
- controller.$.model = crudModel;
- controller.invoiceIn = {id: 1};
- }));
-
- describe('taxRate()', () => {
- it('should set tax rate with the Sage tax type value', () => {
- const taxRateSelection = {
- rate: 21
- };
- const invoiceInTax = {
- taxableBase: 200
- };
-
- const taxRate = controller.taxRate(invoiceInTax, taxRateSelection);
-
- expect(taxRate).toEqual(42);
- });
- });
-
- describe('onSubmit()', () => {
- it('should make HTTP POST request to save tax values', () => {
- controller.card = {reload: () => {}};
- jest.spyOn($scope.watcher, 'check');
- jest.spyOn($scope.watcher, 'notifySaved');
- jest.spyOn($scope.watcher, 'updateOriginalData');
- jest.spyOn(controller.card, 'reload');
- jest.spyOn($scope.model, 'save');
-
- controller.onSubmit();
-
- expect($scope.model.save).toHaveBeenCalledWith();
- expect($scope.watcher.updateOriginalData).toHaveBeenCalledWith();
- expect($scope.watcher.check).toHaveBeenCalledWith();
- expect($scope.watcher.notifySaved).toHaveBeenCalledWith();
- expect(controller.card.reload).toHaveBeenCalledWith();
- });
- });
-
- describe('onResponse()', () => {
- it('should return success message', () => {
- controller.expense = {
- code: 7050000005,
- isWithheld: 0,
- description: 'Test'
- };
-
- const data = [{
- id: controller.expense.code,
- isWithheld: controller.expense.isWithheld,
- name: controller.expense.description
- }];
-
- jest.spyOn(controller.vnApp, 'showSuccess');
- $httpBackend.expect('POST', `Expenses`, data).respond();
-
- controller.onResponse();
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalledWith('Expense saved!');
- });
-
- it('should return an error if code is empty', () => {
- controller.expense = {
- code: null,
- isWithheld: 0,
- description: 'Test'
- };
-
- jest.spyOn(controller.vnApp, 'showError');
- controller.onResponse();
-
- expect(controller.vnApp.showError).toHaveBeenCalledWith(`The code can't be empty`);
- });
-
- it('should return an error if description is empty', () => {
- controller.expense = {
- code: 7050000005,
- isWithheld: 0,
- description: null
- };
-
- jest.spyOn(controller.vnApp, 'showError');
- controller.onResponse();
-
- expect(controller.vnApp.showError).toHaveBeenCalledWith(`The description can't be empty`);
- });
- });
- });
-});
-
diff --git a/modules/invoiceIn/front/tax/locale/es.yml b/modules/invoiceIn/front/tax/locale/es.yml
deleted file mode 100644
index 3ff68ea40..000000000
--- a/modules/invoiceIn/front/tax/locale/es.yml
+++ /dev/null
@@ -1,7 +0,0 @@
-Create expense: Crear gasto
-New expense: Nuevo gasto
-It's a withholding: Es una retención
-The fields can't be empty: Los campos no pueden estar vacíos
-The code can't be empty: El código no puede estar vacío
-The description can't be empty: La descripción no puede estar vacía
-Expense saved!: Gasto guardado!
\ No newline at end of file
diff --git a/modules/order/back/methods/order/filter.js b/modules/order/back/methods/order/filter.js
index 592ed11e6..758e8065c 100644
--- a/modules/order/back/methods/order/filter.js
+++ b/modules/order/back/methods/order/filter.js
@@ -59,6 +59,10 @@ module.exports = Self => {
arg: 'showEmpty',
type: 'boolean',
description: 'Show empty orders'
+ }, {
+ arg: 'sourceApp',
+ type: 'string',
+ description: 'Application'
}
],
returns: {
diff --git a/modules/ticket/front/sale/index.html b/modules/ticket/front/sale/index.html
index 262395d16..dafae8974 100644
--- a/modules/ticket/front/sale/index.html
+++ b/modules/ticket/front/sale/index.html
@@ -81,7 +81,7 @@
-
+
diff --git a/modules/ticket/front/sale/index.js b/modules/ticket/front/sale/index.js
index 7ff8d89e3..4f8494ed0 100644
--- a/modules/ticket/front/sale/index.js
+++ b/modules/ticket/front/sale/index.js
@@ -214,7 +214,7 @@ class Controller extends Section {
const params = {ticketId: this.ticket.id, sales: sales};
this.resetChanges();
this.$http.post(`Claims/createFromSales`, params)
- .then(res => this.$state.go('claim.card.basicData', {id: res.data.id}));
+ .then(async res => window.location.href = await this.vnApp.getUrl(`claim/${res.data.id}/basic-data`));
}
showTransferPopover(event) {
@@ -558,6 +558,10 @@ class Controller extends Section {
changedModelId: saleId
});
}
+
+ async goToLilium(section, id) {
+ window.location.href = await this.vnApp.getUrl(`claim/${id}/${section}`);
+ }
}
ngModule.vnComponent('vnTicketSale', {
diff --git a/modules/ticket/front/sale/index.spec.js b/modules/ticket/front/sale/index.spec.js
index 8200d6b89..931776619 100644
--- a/modules/ticket/front/sale/index.spec.js
+++ b/modules/ticket/front/sale/index.spec.js
@@ -295,20 +295,26 @@ describe('Ticket', () => {
describe('onCreateClaimAccepted()', () => {
it('should perform a query and call window open', () => {
jest.spyOn(controller, 'resetChanges').mockReturnThis();
- jest.spyOn(controller.$state, 'go').mockReturnThis();
+ jest.spyOn(controller.vnApp, 'getUrl').mockReturnThis();
+ Object.defineProperty(window, 'location', {
+ value: {
+ href: () => {}
+ },
+ });
+ jest.spyOn(controller.window.location, 'href');
const newEmptySale = {quantity: 10};
controller.sales.push(newEmptySale);
const firstSale = controller.sales[0];
+ const claimId = 1;
firstSale.checked = true;
const expectedParams = {ticketId: 1, sales: [firstSale]};
- $httpBackend.expect('POST', `Claims/createFromSales`, expectedParams).respond(200, {id: 1});
+ $httpBackend.expect('POST', `Claims/createFromSales`, expectedParams).respond(200, {id: claimId});
controller.onCreateClaimAccepted();
$httpBackend.flush();
expect(controller.resetChanges).toHaveBeenCalledWith();
- expect(controller.$state.go).toHaveBeenCalledWith('claim.card.basicData', {id: 1});
});
});
diff --git a/modules/ticket/front/summary/index.html b/modules/ticket/front/summary/index.html
index 025078d36..7ee260f74 100644
--- a/modules/ticket/front/summary/index.html
+++ b/modules/ticket/front/summary/index.html
@@ -152,13 +152,13 @@
-
+
-
+
-
-
-
diff --git a/modules/worker/front/basic-data/index.js b/modules/worker/front/basic-data/index.js
deleted file mode 100644
index ea75d7b97..000000000
--- a/modules/worker/front/basic-data/index.js
+++ /dev/null
@@ -1,27 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.maritalStatus = [
- {code: 'M', name: this.$t('Married')},
- {code: 'S', name: this.$t('Single')}
- ];
- }
- onSubmit() {
- return this.$.watcher.submit()
- .then(() => this.card.reload());
- }
-}
-
-ngModule.vnComponent('vnWorkerBasicData', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- worker: '<'
- },
- require: {
- card: '^vnWorkerCard'
- }
-});
diff --git a/modules/worker/front/basic-data/locale/es.yml b/modules/worker/front/basic-data/locale/es.yml
deleted file mode 100644
index edf08de90..000000000
--- a/modules/worker/front/basic-data/locale/es.yml
+++ /dev/null
@@ -1,9 +0,0 @@
-Marital status: Estado civil
-Origin country: País origen
-Education level: Nivel educación
-SSN: NSS
-Married: Casado/a
-Single: Soltero/a
-Business phone: Teléfono de empresa
-Mobile extension: Extensión móvil
-Locker: Taquilla
diff --git a/modules/worker/front/calendar/index.html b/modules/worker/front/calendar/index.html
deleted file mode 100644
index 1b0608633..000000000
--- a/modules/worker/front/calendar/index.html
+++ /dev/null
@@ -1,114 +0,0 @@
-
-
-
-
- Autonomous worker
-
-
-
-
-
{{'Contract' | translate}} #{{$ctrl.businessId}}
-
- {{'Used' | translate}} {{$ctrl.contractHolidays.holidaysEnjoyed || 0}}
- {{'of' | translate}} {{$ctrl.contractHolidays.totalHolidays || 0}} {{'days' | translate}}
-
-
- {{'Spent' | translate}} {{$ctrl.contractHolidays.hoursEnjoyed || 0}}
- {{'of' | translate}} {{$ctrl.contractHolidays.totalHours || 0}} {{'hours' | translate}}
-
-
- {{'Paid holidays' | translate}} {{$ctrl.contractHolidays.payedHolidays || 0}} {{'days' | translate}}
-
-
-
-
-
{{'Year' | translate}} {{$ctrl.year}}
-
- {{'Used' | translate}} {{$ctrl.yearHolidays.holidaysEnjoyed || 0}}
- {{'of' | translate}} {{$ctrl.yearHolidays.totalHolidays || 0}} {{'days' | translate}}
-
-
- {{'Spent' | translate}} {{$ctrl.yearHolidays.hoursEnjoyed || 0}}
- {{'of' | translate}} {{$ctrl.yearHolidays.totalHours || 0}} {{'hours' | translate}}
-
-
-
-
-
-
-
-
- #{{businessFk}}
-
- {{started | date: 'dd/MM/yyyy'}} - {{ended ? (ended | date: 'dd/MM/yyyy') : 'Indef.'}}
-
-
-
-
-
-
-
-
-
-
- {{absenceType.name}}
-
-
-
-
-
-
- Festive
-
-
-
-
- Current day
-
-
-
-
-
-
-
-
diff --git a/modules/worker/front/calendar/index.js b/modules/worker/front/calendar/index.js
deleted file mode 100644
index 5606ad0ce..000000000
--- a/modules/worker/front/calendar/index.js
+++ /dev/null
@@ -1,302 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-import './style.scss';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.date = Date.vnNew();
- this.events = {};
- this.buildYearFilter();
- }
-
- get year() {
- return this.date.getFullYear();
- }
-
- set year(value) {
- const newYear = Date.vnNew();
- newYear.setFullYear(value);
-
- this.date = newYear;
-
- this.refresh()
- .then(() => this.repaint())
- .then(() => this.getContractHolidays())
- .then(() => this.getYearHolidays());
- }
-
- get businessId() {
- return this._businessId;
- }
-
- set businessId(value) {
- if (!this.card.hasWorkCenter) return;
-
- this._businessId = value;
- if (value) {
- this.refresh()
- .then(() => this.repaint())
- .then(() => this.getContractHolidays())
- .then(() => this.getYearHolidays());
- }
- }
-
- get date() {
- return this._date;
- }
-
- set date(value) {
- this._date = value;
- value.setHours(0, 0, 0, 0);
-
- this.months = new Array(12);
-
- for (let i = 0; i < this.months.length; i++) {
- const now = new Date(value.getTime());
- now.setDate(1);
- now.setMonth(i);
- this.months[i] = now;
- }
- }
-
- get worker() {
- return this._worker;
- }
-
- set worker(value) {
- this._worker = value;
- if (value) {
- this.getIsSubordinate();
- this.getActiveContract();
- }
- }
-
- buildYearFilter() {
- const now = Date.vnNew();
- now.setFullYear(now.getFullYear() + 1);
-
- const maxYear = now.getFullYear();
- const minRange = maxYear - 5;
-
- const years = [];
- for (let i = maxYear; i > minRange; i--)
- years.push({year: i});
-
- this.yearFilter = years;
- }
-
- getIsSubordinate() {
- this.$http.get(`Workers/${this.worker.id}/isSubordinate`)
- .then(res => this.isSubordinate = res.data);
- }
-
- getActiveContract() {
- this.$http.get(`Workers/${this.worker.id}/activeContract`)
- .then(res => {
- if (res.data) this.businessId = res.data.businessFk;
- });
- }
-
- getContractHolidays() {
- this.getHolidays({
- businessFk: this.businessId,
- year: this.year
- }, data => this.contractHolidays = data);
- }
-
- getYearHolidays() {
- this.getHolidays({
- year: this.year
- }, data => this.yearHolidays = data);
- }
-
- getHolidays(params, cb) {
- this.$http.get(`Workers/${this.worker.id}/holidays`, {params})
- .then(res => cb(res.data));
- }
-
- onData(data) {
- this.events = {};
- this.calendar = data.calendar;
-
- let addEvent = (day, newEvent) => {
- const timestamp = new Date(day).getTime();
- const event = this.events[timestamp];
-
- if (event) {
- const oldName = event.name;
- Object.assign(event, newEvent);
- event.name = `${oldName}, ${event.name}`;
- } else
- this.events[timestamp] = newEvent;
- };
-
- if (data.holidays) {
- data.holidays.forEach(holiday => {
- const holidayDetail = holiday.detail && holiday.detail.name;
- const holidayType = holiday.type && holiday.type.name;
- const holidayName = holidayDetail || holidayType;
-
- addEvent(holiday.dated, {
- name: holidayName,
- className: 'festive'
- });
- });
- }
- if (data.absences) {
- data.absences.forEach(absence => {
- let type = absence.absenceType;
- addEvent(absence.dated, {
- name: type.name,
- color: type.rgb,
- type: type.code,
- absenceId: absence.id
- });
- });
- }
- }
-
- repaint() {
- let calendars = this.element.querySelectorAll('vn-calendar');
- for (let calendar of calendars)
- calendar.$ctrl.repaint();
- }
-
- formatDay(day, element) {
- let event = this.events[day.getTime()];
- if (!event) return;
-
- let dayNumber = element.firstElementChild;
- dayNumber.title = event.name;
- dayNumber.style.backgroundColor = event.color;
-
- if (event.border)
- dayNumber.style.border = event.border;
-
- if (event.className)
- dayNumber.classList.add(event.className);
- }
-
- pick(absenceType) {
- if (!this.isSubordinate) return;
- if (absenceType == this.absenceType)
- absenceType = null;
-
- this.absenceType = absenceType;
- }
-
- onSelection($event, $days) {
- if (!this.absenceType)
- return this.vnApp.showMessage(this.$t('Choose an absence type from the right menu'));
-
- const day = $days[0];
- const stamp = day.getTime();
- const event = this.events[stamp];
- const calendar = $event.target.closest('vn-calendar').$ctrl;
-
- if (event && event.absenceId) {
- if (event.type == this.absenceType.code)
- this.delete(calendar, day, event);
- else
- this.edit(calendar, event);
- } else
- this.create(calendar, day);
- }
-
- create(calendar, dated) {
- const absenceType = this.absenceType;
- const params = {
- dated: dated,
- absenceTypeId: absenceType.id,
- businessFk: this.businessId
- };
-
- const path = `Workers/${this.$params.id}/createAbsence`;
- this.$http.post(path, params).then(res => {
- const newEvent = res.data;
- this.events[dated.getTime()] = {
- name: absenceType.name,
- color: absenceType.rgb,
- type: absenceType.code,
- absenceId: newEvent.id
- };
-
- this.repaintCanceller(() =>
- this.refresh()
- .then(calendar.repaint())
- .then(() => this.getContractHolidays())
- .then(() => this.getYearHolidays())
- .then(() => this.repaint())
- );
- });
- }
-
- edit(calendar, event) {
- const absenceType = this.absenceType;
- const params = {
- absenceId: event.absenceId,
- absenceTypeId: absenceType.id
- };
- const path = `Workers/${this.$params.id}/updateAbsence`;
- this.$http.patch(path, params).then(() => {
- event.color = absenceType.rgb;
- event.name = absenceType.name;
- event.type = absenceType.code;
-
- this.repaintCanceller(() =>
- this.refresh()
- .then(calendar.repaint())
- .then(() => this.getContractHolidays())
- .then(() => this.getYearHolidays())
- );
- });
- }
-
- delete(calendar, day, event) {
- const params = {absenceId: event.absenceId};
- const path = `Workers/${this.$params.id}/deleteAbsence`;
- this.$http.delete(path, {params}).then(() => {
- delete this.events[day.getTime()];
-
- this.repaintCanceller(() =>
- this.refresh()
- .then(calendar.repaint())
- .then(() => this.getContractHolidays())
- .then(() => this.getYearHolidays())
- .then(() => this.repaint())
- );
- });
- }
-
- repaintCanceller(cb) {
- if (this.canceller) {
- clearTimeout(this.canceller);
- this.canceller = null;
- }
-
- this.canceller = setTimeout(
- () => cb(), 500);
- }
-
- refresh() {
- const params = {
- workerFk: this.$params.id,
- businessFk: this.businessId,
- year: this.year
- };
- return this.$http.get(`Calendars/absences`, {params})
- .then(res => this.onData(res.data));
- }
-}
-
-ngModule.vnComponent('vnWorkerCalendar', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- worker: '<'
- },
- require: {
- card: '^vnWorkerCard'
- }
-});
diff --git a/modules/worker/front/calendar/index.spec.js b/modules/worker/front/calendar/index.spec.js
deleted file mode 100644
index 5d7ae0795..000000000
--- a/modules/worker/front/calendar/index.spec.js
+++ /dev/null
@@ -1,346 +0,0 @@
-import './index';
-
-describe('Worker', () => {
- describe('Component vnWorkerCalendar', () => {
- let $httpBackend;
- let $httpParamSerializer;
- let $scope;
- let controller;
- let year = Date.vnNew().getFullYear();
-
- beforeEach(ngModule('worker'));
-
- beforeEach(inject(($componentController, $rootScope, _$httpParamSerializer_, _$httpBackend_) => {
- $scope = $rootScope.$new();
- $httpBackend = _$httpBackend_;
- $httpParamSerializer = _$httpParamSerializer_;
- const $element = angular.element('');
- controller = $componentController('vnWorkerCalendar', {$element, $scope});
- controller.isSubordinate = true;
- controller.absenceType = {id: 1, name: 'Holiday', code: 'holiday', rgb: 'red'};
- controller.$params.id = 1106;
- controller._worker = {id: 1106};
- controller.card = {
- hasWorkCenter: true
- };
- }));
-
- describe('year() getter', () => {
- it(`should return the year number of the calendar date`, () => {
- expect(controller.year).toEqual(year);
- });
- });
-
- describe('year() setter', () => {
- it(`should set the year of the calendar date`, () => {
- jest.spyOn(controller, 'refresh').mockReturnValue(Promise.resolve());
-
- const previousYear = year - 1;
- controller.year = previousYear;
-
- expect(controller.year).toEqual(previousYear);
- expect(controller.date.getFullYear()).toEqual(previousYear);
- expect(controller.refresh).toHaveBeenCalledWith();
- });
- });
-
- describe('businessId() setter', () => {
- it(`should set the contract id and then call to the refresh method`, () => {
- jest.spyOn(controller, 'refresh').mockReturnValue(Promise.resolve());
-
- controller.businessId = 1106;
-
- expect(controller.refresh).toHaveBeenCalledWith();
- });
- });
-
- describe('months property', () => {
- it(`should return an array of twelve months length`, () => {
- const started = new Date(year, 0, 1);
- const ended = new Date(year, 11, 1);
-
- expect(controller.months.length).toEqual(12);
- expect(controller.months[0]).toEqual(started);
- expect(controller.months[11]).toEqual(ended);
- });
- });
-
- describe('worker() setter', () => {
- it(`should perform a get query and set the reponse data on the model`, () => {
- controller.getIsSubordinate = jest.fn();
- controller.getActiveContract = jest.fn();
-
- let today = Date.vnNew();
- let tomorrow = new Date(today.getTime());
- tomorrow.setDate(tomorrow.getDate() + 1);
-
- let yesterday = new Date(today.getTime());
- yesterday.setDate(yesterday.getDate() - 1);
-
- controller.worker = {id: 1107};
-
- expect(controller.getIsSubordinate).toHaveBeenCalledWith();
- expect(controller.getActiveContract).toHaveBeenCalledWith();
- });
- });
-
- describe('getIsSubordinate()', () => {
- it(`should return whether the worker is a subordinate`, () => {
- $httpBackend.expect('GET', `Workers/1106/isSubordinate`).respond(true);
- controller.getIsSubordinate();
- $httpBackend.flush();
-
- expect(controller.isSubordinate).toBe(true);
- });
- });
-
- describe('getActiveContract()', () => {
- it(`should return the current contract and then set the businessId property`, () => {
- jest.spyOn(controller, 'refresh').mockReturnValue(Promise.resolve());
-
- $httpBackend.expect('GET', `Workers/1106/activeContract`).respond({businessFk: 1106});
- controller.getActiveContract();
- $httpBackend.flush();
-
- expect(controller.businessId).toEqual(1106);
- });
- });
-
- describe('getContractHolidays()', () => {
- it(`should return the worker holidays amount and then set the contractHolidays property`, () => {
- const today = Date.vnNew();
- const year = today.getFullYear();
-
- const serializedParams = $httpParamSerializer({year});
- $httpBackend.expect('GET', `Workers/1106/holidays?${serializedParams}`).respond({totalHolidays: 28});
- controller.getContractHolidays();
- $httpBackend.flush();
-
- expect(controller.contractHolidays).toEqual({totalHolidays: 28});
- });
- });
-
- describe('formatDay()', () => {
- it(`should set the day element style`, () => {
- const today = Date.vnNew();
-
- controller.events[today.getTime()] = {
- name: 'Holiday',
- color: '#000'
- };
-
- const dayElement = angular.element('')[0];
- const dayNumber = dayElement.firstElementChild;
-
- controller.formatDay(today, dayElement);
-
- expect(dayNumber.title).toEqual('Holiday');
- expect(dayNumber.style.backgroundColor).toEqual('rgb(0, 0, 0)');
- });
- });
-
- describe('pick()', () => {
- it(`should set the absenceType property to null if they match with the current one`, () => {
- const absenceType = {id: 1, name: 'Holiday'};
- controller.absenceType = absenceType;
- controller.pick(absenceType);
-
- expect(controller.absenceType).toBeNull();
- });
-
- it(`should set the absenceType property`, () => {
- const absenceType = {id: 1, name: 'Holiday'};
- const expectedAbsence = {id: 2, name: 'Leave of absence'};
- controller.absenceType = absenceType;
- controller.pick(expectedAbsence);
-
- expect(controller.absenceType).toEqual(expectedAbsence);
- });
- });
-
- describe('onSelection()', () => {
- it(`should show an snackbar message if no absence type is selected`, () => {
- jest.spyOn(controller.vnApp, 'showMessage').mockReturnThis();
-
- const $event = {};
- const $days = [];
- controller.absenceType = null;
- controller.onSelection($event, $days);
-
- expect(controller.vnApp.showMessage).toHaveBeenCalledWith('Choose an absence type from the right menu');
- });
-
- it(`should call to the create() method`, () => {
- jest.spyOn(controller, 'create').mockReturnThis();
-
- const selectedDay = Date.vnNew();
- const $event = {
- target: {
- closest: () => {
- return {$ctrl: {}};
- }
- }
- };
- const $days = [selectedDay];
- controller.absenceType = {id: 1};
- controller.onSelection($event, $days);
-
- expect(controller.create).toHaveBeenCalledWith(jasmine.any(Object), selectedDay);
- });
-
- it(`should call to the delete() method`, () => {
- jest.spyOn(controller, 'delete').mockReturnThis();
-
- const selectedDay = Date.vnNew();
- const expectedEvent = {
- dated: selectedDay,
- type: 'holiday',
- absenceId: 1
- };
- const $event = {
- target: {
- closest: () => {
- return {$ctrl: {}};
- }
- }
- };
- const $days = [selectedDay];
- controller.events[selectedDay.getTime()] = expectedEvent;
- controller.absenceType = {id: 1, code: 'holiday'};
- controller.onSelection($event, $days);
-
- expect(controller.delete).toHaveBeenCalledWith(jasmine.any(Object), selectedDay, expectedEvent);
- });
-
- it(`should call to the edit() method`, () => {
- jest.spyOn(controller, 'edit').mockReturnThis();
-
- const selectedDay = Date.vnNew();
- const expectedEvent = {
- dated: selectedDay,
- type: 'leaveOfAbsence',
- absenceId: 1
- };
- const $event = {
- target: {
- closest: () => {
- return {$ctrl: {}};
- }
- }
- };
- const $days = [selectedDay];
- controller.events[selectedDay.getTime()] = expectedEvent;
- controller.absenceType = {id: 1, code: 'holiday'};
- controller.onSelection($event, $days);
-
- expect(controller.edit).toHaveBeenCalledWith(jasmine.any(Object), expectedEvent);
- });
- });
-
- describe('create()', () => {
- it(`should make a HTTP POST query and then call to the repaintCanceller() method`, () => {
- jest.spyOn(controller, 'repaintCanceller').mockReturnThis();
-
- const dated = Date.vnNew();
- const calendarElement = {};
- const expectedResponse = {id: 10};
-
- $httpBackend.expect('POST', `Workers/1106/createAbsence`).respond(200, expectedResponse);
- controller.create(calendarElement, dated);
- $httpBackend.flush();
-
- const createdEvent = controller.events[dated.getTime()];
- const absenceType = controller.absenceType;
-
- expect(createdEvent.absenceId).toEqual(expectedResponse.id);
- expect(createdEvent.color).toEqual(absenceType.rgb);
- expect(controller.repaintCanceller).toHaveBeenCalled();
- });
- });
-
- describe('edit()', () => {
- it(`should make a HTTP PATCH query and then call to the repaintCanceller() method`, () => {
- jest.spyOn(controller, 'repaintCanceller').mockReturnThis();
-
- const event = {absenceId: 10};
- const calendarElement = {};
- const newAbsenceType = {
- id: 2,
- name: 'Leave of absence',
- code: 'leaveOfAbsence',
- rgb: 'purple'
- };
- controller.absenceType = newAbsenceType;
-
- const expectedParams = {absenceId: 10, absenceTypeId: 2};
- $httpBackend.expect('PATCH', `Workers/1106/updateAbsence`, expectedParams).respond(200);
- controller.edit(calendarElement, event);
- $httpBackend.flush();
-
- expect(event.name).toEqual(newAbsenceType.name);
- expect(event.color).toEqual(newAbsenceType.rgb);
- expect(event.type).toEqual(newAbsenceType.code);
- expect(controller.repaintCanceller).toHaveBeenCalled();
- });
- });
-
- describe('delete()', () => {
- it(`should make a HTTP DELETE query and then call to the repaintCanceller() method`, () => {
- jest.spyOn(controller, 'repaintCanceller').mockReturnThis();
-
- const expectedParams = {absenceId: 10};
- const calendarElement = {};
- const selectedDay = Date.vnNew();
- const expectedEvent = {
- dated: selectedDay,
- type: 'leaveOfAbsence',
- absenceId: 10
- };
-
- controller.events[selectedDay.getTime()] = expectedEvent;
-
- const serializedParams = $httpParamSerializer(expectedParams);
- $httpBackend.expect('DELETE', `Workers/1106/deleteAbsence?${serializedParams}`).respond(200);
- controller.delete(calendarElement, selectedDay, expectedEvent);
- $httpBackend.flush();
-
- const event = controller.events[selectedDay.getTime()];
-
- expect(event).toBeUndefined();
- expect(controller.repaintCanceller).toHaveBeenCalled();
- });
- });
-
- describe('repaintCanceller()', () => {
- it(`should cancell the callback execution timer`, () => {
- jest.spyOn(window, 'clearTimeout');
- jest.spyOn(window, 'setTimeout');
-
- const timeoutId = 90;
- controller.canceller = timeoutId;
-
- controller.repaintCanceller(() => {
- return 'My callback';
- });
-
- expect(window.clearTimeout).toHaveBeenCalledWith(timeoutId);
- expect(window.setTimeout).toHaveBeenCalledWith(jasmine.any(Function), 500);
- });
- });
-
- describe('refresh()', () => {
- it(`should make a HTTP GET query and then call to the onData() method`, () => {
- jest.spyOn(controller, 'onData').mockReturnThis();
-
- const expecteResponse = [{id: 1}];
- const expectedParams = {workerFk: controller.worker.id, year: year};
- const serializedParams = $httpParamSerializer(expectedParams);
- $httpBackend.expect('GET', `Calendars/absences?${serializedParams}`).respond(200, expecteResponse);
- controller.refresh();
- $httpBackend.flush();
-
- expect(controller.onData).toHaveBeenCalledWith(expecteResponse);
- });
- });
- });
-});
diff --git a/modules/worker/front/calendar/locale/es.yml b/modules/worker/front/calendar/locale/es.yml
deleted file mode 100644
index 50bb4bb52..000000000
--- a/modules/worker/front/calendar/locale/es.yml
+++ /dev/null
@@ -1,15 +0,0 @@
-Calendar: Calendario
-Contract: Contrato
-Festive: Festivo
-Used: Utilizados
-Spent: Utilizadas
-Year: Año
-of: de
-days: días
-hours: horas
-Choose an absence type from the right menu: Elige un tipo de ausencia desde el menú de la derecha
-To start adding absences, click an absence type from the right menu and then on the day you want to add an absence: Para empezar a añadir ausencias, haz clic en un tipo de ausencia desde el menu de la derecha y después en el día que quieres añadir la ausencia
-You can just add absences within the current year: Solo puedes añadir ausencias dentro del año actual
-Current day: Día actual
-Paid holidays: Vacaciones pagadas
-Autonomous worker: Trabajador autónomo
diff --git a/modules/worker/front/calendar/style.scss b/modules/worker/front/calendar/style.scss
deleted file mode 100644
index e99f64689..000000000
--- a/modules/worker/front/calendar/style.scss
+++ /dev/null
@@ -1,65 +0,0 @@
-@import "variables";
-
-vn-worker-calendar {
- .calendars {
- position: relative;
- display: flex;
- flex-wrap: wrap;
- justify-content: center;
- align-items: center;
- box-sizing: border-box;
- padding: $spacing-md;
-
- & > vn-calendar {
- border: $border-thin;
- margin: $spacing-md;
- padding: $spacing-xs;
- max-width: 288px;
- }
- }
-
- vn-chip.selectable {
- cursor: pointer
- }
-
- vn-chip.selectable:hover {
- opacity: 0.8
- }
-
- vn-chip vn-avatar {
- text-align: center;
- color: white
- }
-
- vn-icon[icon="info"] {
- position: absolute;
- top: 16px;
- right: 16px
- }
-
- vn-side-menu div > .input {
- border-bottom: $border-thin;
- }
-
- .festive,
- vn-avatar.today {
- color: $color-font;
- width: 24px;
- min-width: 24px;
- height: 24px
- }
-
- .festive {
- border: 2px solid $color-alert
- }
-
- vn-avatar.today {
- border: 2px solid $color-font-link
- }
-
- .check {
- margin-top: 0.5px;
- margin-left: -3px;
- font-size: 125%;
- }
-}
diff --git a/modules/worker/front/create/index.html b/modules/worker/front/create/index.html
deleted file mode 100644
index 3030ffecd..000000000
--- a/modules/worker/front/create/index.html
+++ /dev/null
@@ -1,198 +0,0 @@
-
-
-
-
-
-
diff --git a/modules/worker/front/create/index.js b/modules/worker/front/create/index.js
deleted file mode 100644
index e6d65221f..000000000
--- a/modules/worker/front/create/index.js
+++ /dev/null
@@ -1,141 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-export default class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.worker = {companyFk: this.vnConfig.user.companyFk};
- this.$http.get(`WorkerConfigs/findOne`, {field: ['payMethodFk']}).then(res => {
- if (res.data) this.worker.payMethodFk = res.data.payMethodFk;
- });
- }
-
- onSubmit() {
- if (!this.worker.iban && !this.worker.bankEntityFk) {
- delete this.worker.iban;
- delete this.worker.bankEntityFk;
- }
-
- return this.$.watcher.submit().then(json => {
- this.$state.go('worker.card.basicData', {id: json.data.id});
- });
- }
-
- get ibanCountry() {
- if (!this.worker || !this.worker.iban) return false;
-
- let countryCode = this.worker.iban.substr(0, 2);
-
- return countryCode;
- }
-
- autofillBic() {
- if (!this.worker || !this.worker.iban) return;
-
- let bankEntityId = parseInt(this.worker.iban.substr(4, 4));
- let filter = {where: {id: bankEntityId}};
-
- this.$http.get(`BankEntities`, {filter}).then(response => {
- const hasData = response.data && response.data[0];
-
- if (hasData)
- this.worker.bankEntityFk = response.data[0].id;
- else if (!hasData)
- this.worker.bankEntityFk = null;
- });
- }
-
- generateCodeUser() {
- if (!this.worker.firstName || !this.worker.lastNames) return;
-
- const totalName = this.worker.firstName.concat(' ' + this.worker.lastNames).toLowerCase();
- const totalNameArray = totalName.split(' ');
- let newCode = '';
-
- for (let part of totalNameArray)
- newCode += part.charAt(0);
-
- this.worker.code = newCode.toUpperCase().slice(0, 3);
- this.worker.name = totalNameArray[0] + newCode.slice(1);
-
- if (!this.worker.companyFk)
- this.worker.companyFk = this.vnConfig.user.companyFk;
- }
-
- get province() {
- return this._province;
- }
-
- // Province auto complete
- set province(selection) {
- this._province = selection;
-
- if (!selection) return;
-
- const country = selection.country;
-
- if (!this.worker.countryFk)
- this.worker.countryFk = country.id;
- }
-
- get town() {
- return this._town;
- }
-
- // Town auto complete
- set town(selection) {
- this._town = selection;
-
- if (!selection) return;
-
- const province = selection.province;
- const country = province.country;
- const postcodes = selection.postcodes;
-
- if (!this.worker.provinceFk)
- this.worker.provinceFk = province.id;
-
- if (!this.worker.countryFk)
- this.worker.countryFk = country.id;
-
- if (postcodes.length === 1)
- this.worker.postcode = postcodes[0].code;
- }
-
- get postcode() {
- return this._postcode;
- }
-
- // Postcode auto complete
- set postcode(selection) {
- this._postcode = selection;
-
- if (!selection) return;
-
- const town = selection.town;
- const province = town.province;
- const country = province.country;
-
- if (!this.worker.city)
- this.worker.city = town.name;
-
- if (!this.worker.provinceFk)
- this.worker.provinceFk = province.id;
-
- if (!this.worker.countryFk)
- this.worker.countryFk = country.id;
- }
-
- onResponse(response) {
- this.worker.postcode = response.code;
- this.worker.city = response.city;
- this.worker.provinceFk = response.provinceFk;
- }
-}
-
-Controller.$inject = ['$element', '$scope'];
-
-ngModule.vnComponent('vnWorkerCreate', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/worker/front/create/index.spec.js b/modules/worker/front/create/index.spec.js
deleted file mode 100644
index c2e9acce0..000000000
--- a/modules/worker/front/create/index.spec.js
+++ /dev/null
@@ -1,133 +0,0 @@
-import './index';
-
-describe('Worker', () => {
- describe('Component vnWorkerCreate', () => {
- let $scope;
- let $state;
- let controller;
-
- beforeEach(ngModule('worker'));
-
- beforeEach(inject(($componentController, $rootScope, _$state_) => {
- $scope = $rootScope.$new();
- $state = _$state_;
- $scope.watcher = {
- submit: () => {
- return {
- then: callback => {
- callback({data: {id: '1234'}});
- }
- };
- }
- };
- const $element = angular.element('');
- controller = $componentController('vnWorkerCreate', {$element, $scope});
- controller.worker = {};
- controller.vnConfig = {user: {companyFk: 1}};
- }));
-
- describe('onSubmit()', () => {
- it(`should call submit() on the watcher then expect a callback`, () => {
- jest.spyOn($state, 'go');
- controller.onSubmit();
-
- expect(controller.$state.go).toHaveBeenCalledWith('worker.card.basicData', {id: '1234'});
- });
- });
-
- describe('province() setter', () => {
- it(`should set countryFk property`, () => {
- controller.worker.countryFk = null;
- controller.province = {
- id: 1,
- name: 'New york',
- country: {
- id: 2,
- name: 'USA'
- }
- };
-
- expect(controller.worker.countryFk).toEqual(2);
- });
- });
-
- describe('town() setter', () => {
- it(`should set provinceFk property`, () => {
- controller.town = {
- provinceFk: 1,
- code: 46001,
- province: {
- id: 1,
- name: 'New york',
- country: {
- id: 2,
- name: 'USA'
- }
- },
- postcodes: []
- };
-
- expect(controller.worker.provinceFk).toEqual(1);
- });
-
- it(`should set provinceFk property and fill the postalCode if there's just one`, () => {
- controller.town = {
- provinceFk: 1,
- code: 46001,
- province: {
- id: 1,
- name: 'New york',
- country: {
- id: 2,
- name: 'USA'
- }
- },
- postcodes: [{code: '46001'}]
- };
-
- expect(controller.worker.provinceFk).toEqual(1);
- expect(controller.worker.postcode).toEqual('46001');
- });
- });
-
- describe('postcode() setter', () => {
- it(`should set the town, provinceFk and contryFk properties`, () => {
- controller.postcode = {
- townFk: 1,
- code: 46001,
- town: {
- id: 1,
- name: 'New York',
- province: {
- id: 1,
- name: 'New york',
- country: {
- id: 2,
- name: 'USA'
- }
- }
- }
- };
-
- expect(controller.worker.city).toEqual('New York');
- expect(controller.worker.provinceFk).toEqual(1);
- expect(controller.worker.countryFk).toEqual(2);
- });
- });
-
- describe('generateCodeUser()', () => {
- it(`should generate worker code, name and company `, () => {
- controller.worker = {
- firstName: 'default',
- lastNames: 'generate worker'
- };
-
- controller.generateCodeUser();
-
- expect(controller.worker.code).toEqual('DGW');
- expect(controller.worker.name).toEqual('defaultgw');
- expect(controller.worker.companyFk).toEqual(controller.vnConfig.user.companyFk);
- });
- });
- });
-});
diff --git a/modules/worker/front/create/locale/es.yml b/modules/worker/front/create/locale/es.yml
deleted file mode 100644
index 4e8d2df1e..000000000
--- a/modules/worker/front/create/locale/es.yml
+++ /dev/null
@@ -1,13 +0,0 @@
-Firstname: Nombre
-Lastname: Apellidos
-Fi: DNI/NIF/NIE
-Birth: Fecha de nacimiento
-Worker code: Código de trabajador
-Province: Provincia
-City: Población
-ProfileType: Tipo de perfil
-Street: Dirección
-Postcode: Código postal
-Web user: Usuario Web
-Access permission: Permiso de acceso
-Pay method: Método de pago
diff --git a/modules/worker/front/dms/create/index.html b/modules/worker/front/dms/create/index.html
deleted file mode 100644
index 0f2d51dd3..000000000
--- a/modules/worker/front/dms/create/index.html
+++ /dev/null
@@ -1,94 +0,0 @@
-
-
-
-
-
-
diff --git a/modules/worker/front/dms/create/index.js b/modules/worker/front/dms/create/index.js
deleted file mode 100644
index ff6112211..000000000
--- a/modules/worker/front/dms/create/index.js
+++ /dev/null
@@ -1,113 +0,0 @@
-import ngModule from '../../module';
-import Section from 'salix/components/section';
-import './style.scss';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.dms = {
- files: [],
- hasFile: false,
- hasFileAttached: false
- };
- }
-
- get worker() {
- return this._worker;
- }
-
- set worker(value) {
- this._worker = value;
-
- if (value) {
- this.setDefaultParams();
- this.getAllowedContentTypes();
- }
- }
-
- getAllowedContentTypes() {
- this.$http.get('DmsContainers/allowedContentTypes').then(res => {
- const contentTypes = res.data.join(', ');
- this.allowedContentTypes = contentTypes;
- });
- }
-
- get contentTypesInfo() {
- return this.$t('ContentTypesInfo', {
- allowedContentTypes: this.allowedContentTypes
- });
- }
-
- setDefaultParams() {
- const params = {filter: {
- where: {code: 'hhrrData'}
- }};
- this.$http.get('DmsTypes/findOne', {params}).then(res => {
- const dmsType = res.data && res.data;
- const companyId = this.vnConfig.companyFk;
- const warehouseId = this.vnConfig.warehouseFk;
- const defaultParams = {
- reference: this.worker.id,
- warehouseId: warehouseId,
- companyId: companyId,
- dmsTypeId: dmsType.id,
- description: this.$t('WorkerFileDescription', {
- dmsTypeName: dmsType.name,
- workerId: this.worker.id,
- workerName: this.worker.name
- }).toUpperCase()
- };
-
- this.dms = Object.assign(this.dms, defaultParams);
- });
- }
-
- onSubmit() {
- const query = `Workers/${this.worker.id}/uploadFile`;
- const options = {
- method: 'POST',
- url: query,
- params: this.dms,
- headers: {
- 'Content-Type': undefined
- },
- transformRequest: files => {
- const formData = new FormData();
-
- for (let i = 0; i < files.length; i++)
- formData.append(files[i].name, files[i]);
-
- return formData;
- },
- data: this.dms.files
- };
- this.$http(options).then(res => {
- if (res) {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- this.$.watcher.updateOriginalData();
- this.$state.go('worker.card.dms.index');
- }
- });
- }
-
- onFileChange(files) {
- let hasFileAttached = false;
-
- if (files.length > 0)
- hasFileAttached = true;
-
- this.$.$applyAsync(() => {
- this.dms.hasFileAttached = hasFileAttached;
- });
- }
-}
-
-Controller.$inject = ['$element', '$scope'];
-
-ngModule.vnComponent('vnWorkerDmsCreate', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- worker: '<'
- }
-});
diff --git a/modules/worker/front/dms/create/index.spec.js b/modules/worker/front/dms/create/index.spec.js
deleted file mode 100644
index 08a2a5981..000000000
--- a/modules/worker/front/dms/create/index.spec.js
+++ /dev/null
@@ -1,77 +0,0 @@
-import './index';
-
-describe('Client', () => {
- describe('Component vnWorkerDmsCreate', () => {
- let $element;
- let controller;
- let $scope;
- let $httpBackend;
- let $httpParamSerializer;
-
- beforeEach(ngModule('worker'));
-
- beforeEach(inject(($compile, $rootScope, _$httpBackend_, _$httpParamSerializer_) => {
- $scope = $rootScope.$new();
- $httpBackend = _$httpBackend_;
- $httpParamSerializer = _$httpParamSerializer_;
- $element = $compile(``)($rootScope);
- controller = $element.controller('vnWorkerDmsCreate');
- controller._worker = {id: 1101, name: 'Bruce wayne'};
- $httpBackend.whenRoute('GET', `Warehouses?filter=%7B%7D`).respond([{$oldData: {}}]);
- }));
-
- describe('worker() setter', () => {
- it('should set the worker data and then call setDefaultParams() and getAllowedContentTypes()', () => {
- jest.spyOn(controller, 'setDefaultParams');
- jest.spyOn(controller, 'getAllowedContentTypes');
- controller.worker = {
- id: 15,
- name: 'Bruce wayne'
- };
-
- expect(controller.worker).toBeDefined();
- expect(controller.setDefaultParams).toHaveBeenCalledWith();
- expect(controller.getAllowedContentTypes).toHaveBeenCalledWith();
- });
- });
-
- describe('setDefaultParams()', () => {
- it('should perform a GET query and define the dms property on controller', () => {
- $httpBackend.whenRoute('GET', `DmsTypes`).respond({id: 12, code: 'hhrrData'});
- const params = {filter: {
- where: {code: 'hhrrData'}
- }};
- let serializedParams = $httpParamSerializer(params);
- $httpBackend.when('GET', `DmsTypes/findOne?${serializedParams}`).respond({id: 12, code: 'hhrrData'});
- controller.setDefaultParams();
- $httpBackend.flush();
-
- expect(controller.dms).toBeDefined();
- expect(controller.dms.reference).toEqual(1101);
- expect(controller.dms.dmsTypeId).toEqual(12);
- });
- });
-
- describe('onFileChange()', () => {
- it('should set dms hasFileAttached property to true if has any files', () => {
- const files = [{id: 1, name: 'MyFile'}];
- controller.onFileChange(files);
- $scope.$apply();
-
- expect(controller.dms.hasFileAttached).toBeTruthy();
- });
- });
-
- describe('getAllowedContentTypes()', () => {
- it('should make an HTTP GET request to get the allowed content types', () => {
- const expectedResponse = ['image/png', 'image/jpg'];
- $httpBackend.expect('GET', `DmsContainers/allowedContentTypes`).respond(expectedResponse);
- controller.getAllowedContentTypes();
- $httpBackend.flush();
-
- expect(controller.allowedContentTypes).toBeDefined();
- expect(controller.allowedContentTypes).toEqual('image/png, image/jpg');
- });
- });
- });
-});
diff --git a/modules/worker/front/dms/create/style.scss b/modules/worker/front/dms/create/style.scss
deleted file mode 100644
index 73f136fc1..000000000
--- a/modules/worker/front/dms/create/style.scss
+++ /dev/null
@@ -1,7 +0,0 @@
-vn-ticket-request {
- .vn-textfield {
- margin: 0!important;
- max-width: 100px;
- }
-}
-
diff --git a/modules/worker/front/dms/edit/index.html b/modules/worker/front/dms/edit/index.html
deleted file mode 100644
index 39d4af801..000000000
--- a/modules/worker/front/dms/edit/index.html
+++ /dev/null
@@ -1,87 +0,0 @@
-
-
-
-
-
diff --git a/modules/worker/front/dms/edit/index.js b/modules/worker/front/dms/edit/index.js
deleted file mode 100644
index 31d4c2853..000000000
--- a/modules/worker/front/dms/edit/index.js
+++ /dev/null
@@ -1,94 +0,0 @@
-import ngModule from '../../module';
-import Section from 'salix/components/section';
-import './style.scss';
-
-class Controller extends Section {
- get worker() {
- return this._worker;
- }
-
- set worker(value) {
- this._worker = value;
-
- if (value) {
- this.setDefaultParams();
- this.getAllowedContentTypes();
- }
- }
-
- getAllowedContentTypes() {
- this.$http.get('DmsContainers/allowedContentTypes').then(res => {
- const contentTypes = res.data.join(', ');
- this.allowedContentTypes = contentTypes;
- });
- }
-
- get contentTypesInfo() {
- return this.$t('ContentTypesInfo', {
- allowedContentTypes: this.allowedContentTypes
- });
- }
-
- setDefaultParams() {
- const path = `Dms/${this.$params.dmsId}`;
- this.$http.get(path).then(res => {
- const dms = res.data && res.data;
- this.dms = {
- reference: dms.reference,
- warehouseId: dms.warehouseFk,
- companyId: dms.companyFk,
- dmsTypeId: dms.dmsTypeFk,
- description: dms.description,
- hasFile: dms.hasFile,
- hasFileAttached: false,
- files: []
- };
- });
- }
-
- onSubmit() {
- const query = `dms/${this.$params.dmsId}/updateFile`;
- const options = {
- method: 'POST',
- url: query,
- params: this.dms,
- headers: {
- 'Content-Type': undefined
- },
- transformRequest: files => {
- const formData = new FormData();
-
- for (let i = 0; i < files.length; i++)
- formData.append(files[i].name, files[i]);
-
- return formData;
- },
- data: this.dms.files
- };
- this.$http(options).then(res => {
- if (res) {
- this.vnApp.showSuccess(this.$t('Data saved!'));
- this.$.watcher.updateOriginalData();
- this.$state.go('worker.card.dms.index');
- }
- });
- }
-
- onFileChange(files) {
- let hasFileAttached = false;
- if (files.length > 0)
- hasFileAttached = true;
-
- this.$.$applyAsync(() => {
- this.dms.hasFileAttached = hasFileAttached;
- });
- }
-}
-
-ngModule.vnComponent('vnWorkerDmsEdit', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- worker: '<'
- }
-});
diff --git a/modules/worker/front/dms/edit/index.spec.js b/modules/worker/front/dms/edit/index.spec.js
deleted file mode 100644
index 0b69f2894..000000000
--- a/modules/worker/front/dms/edit/index.spec.js
+++ /dev/null
@@ -1,82 +0,0 @@
-import './index';
-
-describe('Worker', () => {
- describe('Component vnClientDmsEdit', () => {
- let controller;
- let $scope;
- let $element;
- let $httpBackend;
-
- beforeEach(ngModule('worker'));
-
- beforeEach(inject(($componentController, $rootScope, _$httpBackend_) => {
- $scope = $rootScope.$new();
- $httpBackend = _$httpBackend_;
- $element = angular.element(` {
- it('should set the worker data and then call setDefaultParams() and getAllowedContentTypes()', () => {
- jest.spyOn(controller, 'setDefaultParams');
- jest.spyOn(controller, 'getAllowedContentTypes');
- controller._worker = undefined;
- controller.worker = {
- id: 1106
- };
-
- expect(controller.setDefaultParams).toHaveBeenCalledWith();
- expect(controller.worker).toBeDefined();
- expect(controller.getAllowedContentTypes).toHaveBeenCalledWith();
- });
- });
-
- describe('setDefaultParams()', () => {
- it('should perform a GET query and define the dms property on controller', () => {
- const dmsId = 4;
- const expectedResponse = {
- reference: 1101,
- warehouseFk: 1,
- companyFk: 442,
- dmsTypeFk: 3,
- description: 'Test',
- hasFile: false,
- hasFileAttached: false
- };
-
- $httpBackend.expect('GET', `Dms/${dmsId}`).respond(expectedResponse);
- controller.setDefaultParams();
- $httpBackend.flush();
-
- expect(controller.dms).toBeDefined();
- expect(controller.dms.reference).toEqual(1101);
- expect(controller.dms.dmsTypeId).toEqual(3);
- });
- });
-
- describe('onFileChange()', () => {
- it('should set dms hasFileAttached property to true if has any files', () => {
- const files = [{id: 1, name: 'MyFile'}];
- controller.dms = {hasFileAttached: false};
- controller.onFileChange(files);
- $scope.$apply();
-
- expect(controller.dms.hasFileAttached).toBeTruthy();
- });
- });
-
- describe('getAllowedContentTypes()', () => {
- it('should make an HTTP GET request to get the allowed content types', () => {
- const expectedResponse = ['image/png', 'image/jpg'];
- $httpBackend.expect('GET', `DmsContainers/allowedContentTypes`).respond(expectedResponse);
- controller.getAllowedContentTypes();
- $httpBackend.flush();
-
- expect(controller.allowedContentTypes).toBeDefined();
- expect(controller.allowedContentTypes).toEqual('image/png, image/jpg');
- });
- });
- });
-});
diff --git a/modules/worker/front/dms/edit/style.scss b/modules/worker/front/dms/edit/style.scss
deleted file mode 100644
index 73f136fc1..000000000
--- a/modules/worker/front/dms/edit/style.scss
+++ /dev/null
@@ -1,7 +0,0 @@
-vn-ticket-request {
- .vn-textfield {
- margin: 0!important;
- max-width: 100px;
- }
-}
-
diff --git a/modules/worker/front/dms/index/index.html b/modules/worker/front/dms/index/index.html
deleted file mode 100644
index 310fb95d1..000000000
--- a/modules/worker/front/dms/index/index.html
+++ /dev/null
@@ -1,106 +0,0 @@
-
-
-
-
-
-
-
- Id
- Order
- Reference
- Description
- Original
- File
- Created
-
-
-
-
-
-
-
- {{::document.id}}
-
-
- {{::document.dms.hardCopyNumber}}
-
-
-
-
- {{::document.dms.reference}}
-
-
-
-
- {{::document.dms.description}}
-
-
-
-
-
-
-
-
- {{::document.dms.file}}
-
-
-
- {{::document.dms.created | date:'dd/MM/yyyy HH:mm'}}
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
diff --git a/modules/worker/front/dms/index/index.js b/modules/worker/front/dms/index/index.js
deleted file mode 100644
index 6fdc46dbb..000000000
--- a/modules/worker/front/dms/index/index.js
+++ /dev/null
@@ -1,75 +0,0 @@
-import ngModule from '../../module';
-import Component from 'core/lib/component';
-import './style.scss';
-
-class Controller extends Component {
- constructor($element, $, vnFile) {
- super($element, $);
- this.vnFile = vnFile;
- this.filter = {
- include: {
- relation: 'dms',
- scope: {
- fields: [
- 'dmsTypeFk',
- 'reference',
- 'hardCopyNumber',
- 'workerFk',
- 'description',
- 'hasFile',
- 'file',
- 'created',
- 'companyFk',
- 'warehouseFk',
- ],
- include: [
- {
- relation: 'dmsType',
- scope: {
- fields: ['name'],
- },
- },
- {
- relation: 'worker',
- scope: {
- fields: ['id'],
- include: {
- relation: 'user',
- scope: {
- fields: ['name'],
- },
- },
- },
- },
- ],
- },
- },
- };
- }
-
- deleteDms(index) {
- const workerDmsId = this.workerDms[index].dmsFk;
- return this.$http.post(`WorkerDms/${workerDmsId}/removeFile`)
- .then(() => {
- this.$.model.remove(index);
- this.vnApp.showSuccess(this.$t('Data saved!'));
- });
- }
-
- downloadFile(dmsId, isDocuware) {
- if (isDocuware) return this.vnFile.download(`api/workerDms/${dmsId}/docuwareDownload`);
- this.vnFile.download(`api/workerDms/${dmsId}/downloadFile`);
- }
-
- async openDocuware() {
- const url = await this.vnApp.getUrl(`WebClient`, 'docuware');
- if (url) window.open(url).focus();
- }
-}
-
-Controller.$inject = ['$element', '$scope', 'vnFile'];
-
-ngModule.vnComponent('vnWorkerDmsIndex', {
- template: require('./index.html'),
- controller: Controller,
-});
diff --git a/modules/worker/front/dms/index/index.spec.js b/modules/worker/front/dms/index/index.spec.js
deleted file mode 100644
index 9c1e87011..000000000
--- a/modules/worker/front/dms/index/index.spec.js
+++ /dev/null
@@ -1,37 +0,0 @@
-import './index';
-import crudModel from 'core/mocks/crud-model';
-
-describe('Worker', () => {
- describe('Component vnWorkerDmsIndex', () => {
- let $scope;
- let $httpBackend;
- let controller;
-
- beforeEach(ngModule('worker'));
-
- beforeEach(inject(($componentController, $rootScope, _$httpBackend_) => {
- $httpBackend = _$httpBackend_;
- $scope = $rootScope.$new();
- controller = $componentController('vnWorkerDmsIndex', {$element: null, $scope});
- controller.$.model = crudModel;
- }));
-
- describe('deleteDms()', () => {
- it('should make an HTTP Post query', () => {
- jest.spyOn(controller.vnApp, 'showSuccess');
- jest.spyOn(controller.$.model, 'remove');
-
- const workerDmsId = 4;
- const dmsIndex = 0;
- controller.workerDms = [{id: 1, dmsFk: 4}];
-
- $httpBackend.expectPOST(`WorkerDms/${workerDmsId}/removeFile`).respond();
- controller.deleteDms(dmsIndex);
- $httpBackend.flush();
-
- expect(controller.$.model.remove).toHaveBeenCalledWith(dmsIndex);
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
- });
-});
diff --git a/modules/worker/front/dms/index/locale/es.yml b/modules/worker/front/dms/index/locale/es.yml
deleted file mode 100644
index b6feb4206..000000000
--- a/modules/worker/front/dms/index/locale/es.yml
+++ /dev/null
@@ -1,9 +0,0 @@
-Are you sure?: Estas seguro?
-Download file: Descargar fichero
-File: Fichero
-File deleted: Fichero eliminado
-Hard copy: Copia
-My documentation: Mi documentacion
-Remove file: Eliminar fichero
-This file will be deleted: Este fichero va a ser borrado
-Type: Tipo
\ No newline at end of file
diff --git a/modules/worker/front/dms/index/style.scss b/modules/worker/front/dms/index/style.scss
deleted file mode 100644
index a6758e2e6..000000000
--- a/modules/worker/front/dms/index/style.scss
+++ /dev/null
@@ -1,6 +0,0 @@
-vn-client-risk-index {
- .totalBox {
- display: table;
- float: right;
- }
-}
\ No newline at end of file
diff --git a/modules/worker/front/dms/locale/en.yml b/modules/worker/front/dms/locale/en.yml
deleted file mode 100644
index 766853fca..000000000
--- a/modules/worker/front/dms/locale/en.yml
+++ /dev/null
@@ -1,2 +0,0 @@
-ClientFileDescription: "{{dmsTypeName}} from client {{clientName}} id {{clientId}}"
-ContentTypesInfo: Allowed file types {{allowedContentTypes}}
\ No newline at end of file
diff --git a/modules/worker/front/dms/locale/es.yml b/modules/worker/front/dms/locale/es.yml
deleted file mode 100644
index fa4178d35..000000000
--- a/modules/worker/front/dms/locale/es.yml
+++ /dev/null
@@ -1,20 +0,0 @@
-Reference: Referencia
-Description: Descripción
-Company: Empresa
-Upload file: Subir fichero
-Edit file: Editar fichero
-Upload: Subir
-File: Fichero
-WorkerFileDescription: "{{dmsTypeName}} del empleado {{workerName}} id {{workerId}}"
-ContentTypesInfo: "Tipos de archivo permitidos: {{allowedContentTypes}}"
-Generate identifier for original file: Generar identificador para archivo original
-Are you sure you want to continue?: ¿Seguro que quieres continuar?
-File management: Gestión documental
-Hard copy: Copia
-This file will be deleted: Este fichero va a ser borrado
-Are you sure?: ¿Seguro?
-File deleted: Fichero eliminado
-Remove file: Eliminar fichero
-Download file: Descargar fichero
-Created: Creado
-Employee: Empleado
\ No newline at end of file
diff --git a/modules/worker/front/index.js b/modules/worker/front/index.js
index 5c03dc8de..26cb403bb 100644
--- a/modules/worker/front/index.js
+++ b/modules/worker/front/index.js
@@ -1,24 +1,9 @@
export * from './module';
import './main';
-import './index/';
import './summary';
import './card';
-import './create';
import './descriptor';
import './descriptor-popover';
-import './search-panel';
-import './basic-data';
-import './pbx';
-import './pda';
import './department';
-import './calendar';
-import './time-control';
-import './log';
-import './dms/index';
-import './dms/create';
-import './dms/edit';
-import './note/index';
-import './note/create';
-import './notifications';
diff --git a/modules/worker/front/index/index.html b/modules/worker/front/index/index.html
deleted file mode 100644
index 7044ca551..000000000
--- a/modules/worker/front/index/index.html
+++ /dev/null
@@ -1,57 +0,0 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
diff --git a/modules/worker/front/index/index.js b/modules/worker/front/index/index.js
deleted file mode 100644
index 77dd872e1..000000000
--- a/modules/worker/front/index/index.js
+++ /dev/null
@@ -1,31 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-export default class Controller extends Section {
- preview(event, worker) {
- if (event.defaultPrevented) return;
-
- event.preventDefault();
- event.stopPropagation();
-
- this.selectedWorker = worker;
- this.$.preview.show();
- }
-
- goToTimeControl(event, workerId) {
- if (event.defaultPrevented) return;
-
- event.preventDefault();
- event.stopPropagation();
- this.$state.go('worker.card.timeControl', {id: workerId}, {absolute: true});
- }
-
- onMoreChange(callback) {
- callback.call(this);
- }
-}
-
-ngModule.vnComponent('vnWorkerIndex', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/worker/front/index/locale/es.yml b/modules/worker/front/index/locale/es.yml
deleted file mode 100644
index df6383273..000000000
--- a/modules/worker/front/index/locale/es.yml
+++ /dev/null
@@ -1 +0,0 @@
-New worker: Nuevo trabajador
diff --git a/modules/worker/front/log/index.html b/modules/worker/front/log/index.html
deleted file mode 100644
index 090dbf2e3..000000000
--- a/modules/worker/front/log/index.html
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/modules/worker/front/log/index.js b/modules/worker/front/log/index.js
deleted file mode 100644
index e30ce7e22..000000000
--- a/modules/worker/front/log/index.js
+++ /dev/null
@@ -1,7 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-ngModule.vnComponent('vnWorkerLog', {
- template: require('./index.html'),
- controller: Section,
-});
diff --git a/modules/worker/front/main/index.html b/modules/worker/front/main/index.html
index 376c8f534..e69de29bb 100644
--- a/modules/worker/front/main/index.html
+++ b/modules/worker/front/main/index.html
@@ -1,18 +0,0 @@
-
-
-
-
-
-
-
-
-
-
\ No newline at end of file
diff --git a/modules/worker/front/main/index.js b/modules/worker/front/main/index.js
index d97a2d636..29da1bcc1 100644
--- a/modules/worker/front/main/index.js
+++ b/modules/worker/front/main/index.js
@@ -1,7 +1,15 @@
import ngModule from '../module';
import ModuleMain from 'salix/components/module-main';
-export default class Worker extends ModuleMain {}
+export default class Worker extends ModuleMain {
+ constructor($element, $) {
+ super($element, $);
+ }
+ async $onInit() {
+ this.$state.go('home');
+ window.location.href = await this.vnApp.getUrl(`worker/`);
+ }
+}
ngModule.vnComponent('vnWorker', {
controller: Worker,
diff --git a/modules/worker/front/note/create/index.html b/modules/worker/front/note/create/index.html
deleted file mode 100644
index d09fc2da5..000000000
--- a/modules/worker/front/note/create/index.html
+++ /dev/null
@@ -1,30 +0,0 @@
-
-
-
\ No newline at end of file
diff --git a/modules/worker/front/note/create/index.js b/modules/worker/front/note/create/index.js
deleted file mode 100644
index 81ee247db..000000000
--- a/modules/worker/front/note/create/index.js
+++ /dev/null
@@ -1,21 +0,0 @@
-import ngModule from '../../module';
-import Section from 'salix/components/section';
-
-export default class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.note = {
- workerFk: parseInt(this.$params.id),
- text: null
- };
- }
-
- cancel() {
- this.$state.go('worker.card.note.index', {id: this.$params.id});
- }
-}
-
-ngModule.vnComponent('vnNoteWorkerCreate', {
- template: require('./index.html'),
- controller: Controller
-});
diff --git a/modules/worker/front/note/create/index.spec.js b/modules/worker/front/note/create/index.spec.js
deleted file mode 100644
index d900c8ee0..000000000
--- a/modules/worker/front/note/create/index.spec.js
+++ /dev/null
@@ -1,22 +0,0 @@
-import './index';
-
-describe('Worker', () => {
- describe('Component vnNoteWorkerCreate', () => {
- let $state;
- let controller;
-
- beforeEach(ngModule('worker'));
-
- beforeEach(inject(($componentController, _$state_) => {
- $state = _$state_;
- $state.params.id = '1234';
- const $element = angular.element('');
- controller = $componentController('vnNoteWorkerCreate', {$element, $state});
- }));
-
- it('should define workerFk using $state.params.id', () => {
- expect(controller.note.workerFk).toBe(1234);
- expect(controller.note.worker).toBe(undefined);
- });
- });
-});
diff --git a/modules/worker/front/note/create/locale/es.yml b/modules/worker/front/note/create/locale/es.yml
deleted file mode 100644
index bfe773f48..000000000
--- a/modules/worker/front/note/create/locale/es.yml
+++ /dev/null
@@ -1,2 +0,0 @@
-New note: Nueva nota
-Note: Nota
\ No newline at end of file
diff --git a/modules/worker/front/note/index/index.html b/modules/worker/front/note/index/index.html
deleted file mode 100644
index 9f5c27008..000000000
--- a/modules/worker/front/note/index/index.html
+++ /dev/null
@@ -1,32 +0,0 @@
-
-
-
-
-
-
- {{::note.user.nickname}}
- {{::note.created | date:'dd/MM/yyyy HH:mm'}}
-
-
- {{::note.text}}
-
-
-
-
-
-
-
diff --git a/modules/worker/front/note/index/index.js b/modules/worker/front/note/index/index.js
deleted file mode 100644
index d20971413..000000000
--- a/modules/worker/front/note/index/index.js
+++ /dev/null
@@ -1,22 +0,0 @@
-import ngModule from '../../module';
-import Section from 'salix/components/section';
-import './style.scss';
-
-export default class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- this.filter = {
- order: 'created DESC',
- };
- }
-}
-
-Controller.$inject = ['$element', '$scope'];
-
-ngModule.vnComponent('vnWorkerNote', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- worker: '<'
- }
-});
diff --git a/modules/worker/front/note/index/style.scss b/modules/worker/front/note/index/style.scss
deleted file mode 100644
index 5ff6baf4f..000000000
--- a/modules/worker/front/note/index/style.scss
+++ /dev/null
@@ -1,5 +0,0 @@
-vn-worker-note {
- .note:last-child {
- margin-bottom: 0;
- }
-}
\ No newline at end of file
diff --git a/modules/worker/front/notifications/index.html b/modules/worker/front/notifications/index.html
deleted file mode 100644
index 7fb3b870e..000000000
--- a/modules/worker/front/notifications/index.html
+++ /dev/null
@@ -1,2 +0,0 @@
-
-
diff --git a/modules/worker/front/notifications/index.js b/modules/worker/front/notifications/index.js
deleted file mode 100644
index 622892979..000000000
--- a/modules/worker/front/notifications/index.js
+++ /dev/null
@@ -1,21 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- }
-
- async $onInit() {
- const url = await this.vnApp.getUrl(`worker/${this.$params.id}/notifications`);
- window.open(url).focus();
- }
-}
-
-ngModule.vnComponent('vnWorkerNotifications', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- ticket: '<'
- }
-});
diff --git a/modules/worker/front/pbx/index.html b/modules/worker/front/pbx/index.html
deleted file mode 100644
index e1ca61a4a..000000000
--- a/modules/worker/front/pbx/index.html
+++ /dev/null
@@ -1,28 +0,0 @@
-
-
-
diff --git a/modules/worker/front/pbx/index.js b/modules/worker/front/pbx/index.js
deleted file mode 100644
index 3b6443d3c..000000000
--- a/modules/worker/front/pbx/index.js
+++ /dev/null
@@ -1,25 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- onSubmit() {
- const sip = this.worker.sip;
- const params = {
- userFk: this.worker.id,
- extension: sip.extension
- };
- this.$.watcher.check();
- this.$http.patch('Sips', params).then(() => {
- this.$.watcher.updateOriginalData();
- this.vnApp.showSuccess(this.$t('Data saved! User must access web'));
- });
- }
-}
-
-ngModule.vnComponent('vnWorkerPbx', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- worker: '<'
- }
-});
diff --git a/modules/worker/front/pda/index.js b/modules/worker/front/pda/index.js
deleted file mode 100644
index c3616b41e..000000000
--- a/modules/worker/front/pda/index.js
+++ /dev/null
@@ -1,18 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-
-class Controller extends Section {
- constructor($element, $) {
- super($element, $);
- }
-
- async $onInit() {
- const url = await this.vnApp.getUrl(`worker/${this.$params.id}/pda`);
- this.$state.go('worker.card.summary', {id: this.$params.id});
- window.location.href = url;
- }
-}
-
-ngModule.vnComponent('vnWorkerPda', {
- controller: Controller
-});
diff --git a/modules/worker/front/routes.json b/modules/worker/front/routes.json
index 489b4346a..9b3a50230 100644
--- a/modules/worker/front/routes.json
+++ b/modules/worker/front/routes.json
@@ -9,23 +9,6 @@
{"state": "worker.index", "icon": "icon-worker"},
{"state": "worker.department", "icon": "work"}
],
- "card": [
- {"state": "worker.card.basicData", "icon": "settings"},
- {"state": "worker.card.note.index", "icon": "insert_drive_file"},
- {"state": "worker.card.timeControl", "icon": "access_time"},
- {"state": "worker.card.calendar", "icon": "icon-calendar"},
- {"state": "worker.card.pda", "icon": "phone_android"},
- {"state": "worker.card.notifications", "icon": "notifications"},
- {"state": "worker.card.pbx", "icon": "icon-pbx"},
- {"state": "worker.card.dms.index", "icon": "cloud_upload"},
- {
- "icon": "icon-wiki",
- "external":true,
- "url": "http://wiki.verdnatura.es",
- "description": "Wikipedia"
- },
- {"state": "worker.card.workerLog", "icon": "history"}
- ],
"department": [
{"state": "worker.department.card.basicData", "icon": "settings"}
]
@@ -43,12 +26,14 @@
"abstract": true,
"component": "vn-worker",
"description": "Workers"
- }, {
+ },
+ {
"url": "/index?q",
"state": "worker.index",
"component": "vn-worker-index",
"description": "Workers"
- }, {
+ },
+ {
"url" : "/summary",
"state": "worker.card.summary",
"component": "vn-worker-summary",
@@ -56,91 +41,14 @@
"params": {
"worker": "$ctrl.worker"
}
- }, {
- "url": "/:id",
- "state": "worker.card",
- "component": "vn-worker-card",
- "abstract": true,
- "description": "Detail"
- }, {
- "url": "/basic-data",
- "state": "worker.card.basicData",
- "component": "vn-worker-basic-data",
- "description": "Basic data",
- "params": {
- "worker": "$ctrl.worker"
- },
- "acl": ["hr"]
- }, {
- "url" : "/log",
- "state": "worker.card.workerLog",
- "component": "vn-worker-log",
- "description": "Log",
- "acl": ["hr"]
- }, {
- "url": "/note",
- "state": "worker.card.note",
- "component": "ui-view",
- "abstract": true
- }, {
- "url": "/index",
- "state": "worker.card.note.index",
- "component": "vn-worker-note",
- "description": "Notes",
- "params": {
- "worker": "$ctrl.worker"
- },
- "acl": ["hr"]
- }, {
- "url": "/create",
- "state": "worker.card.note.create",
- "component": "vn-note-worker-create",
- "description": "New note"
- }, {
- "url": "/pbx",
- "state": "worker.card.pbx",
- "component": "vn-worker-pbx",
- "description": "Private Branch Exchange",
- "params": {
- "worker": "$ctrl.worker"
- },
- "acl": ["hr"]
- }, {
- "url": "/calendar",
- "state": "worker.card.calendar",
- "component": "vn-worker-calendar",
- "description": "Calendar",
- "params": {
- "worker": "$ctrl.worker"
- }
- }, {
- "url": "/notifications",
- "state": "worker.card.notifications",
- "component": "vn-worker-notifications",
- "description": "Notifications",
- "params": {
- "worker": "$ctrl.worker"
- }
- }, {
- "url": "/time-control?timestamp",
- "state": "worker.card.timeControl",
- "component": "vn-worker-time-control",
- "description": "Time control",
- "params": {
- "worker": "$ctrl.worker"
- }
- }, {
+ },
+ {
"url": "/department?q",
"state": "worker.department",
"component": "vn-worker-department",
"description":"Departments"
- }, {
- "url": "/:id",
- "state": "worker.department.card",
- "component": "vn-worker-department-card",
- "abstract": true,
- "description": "Detail"
- }, {
+ },
+ {
"url" : "/summary",
"state": "worker.department.card.summary",
"component": "vn-worker-department-summary",
@@ -148,62 +56,6 @@
"params": {
"department": "$ctrl.department"
}
- },
- {
- "url": "/basic-data",
- "state": "worker.department.card.basicData",
- "component": "vn-worker-department-basic-data",
- "description": "Basic data",
- "params": {
- "department": "$ctrl.department"
- }
- },
- {
- "url": "/dms",
- "state": "worker.card.dms",
- "abstract": true,
- "component": "ui-view"
- },
- {
- "url": "/index",
- "state": "worker.card.dms.index",
- "component": "vn-worker-dms-index",
- "description": "My documentation",
- "acl": ["employee"]
- },
- {
- "url": "/create",
- "state": "worker.card.dms.create",
- "component": "vn-worker-dms-create",
- "description": "Upload file",
- "params": {
- "worker": "$ctrl.worker"
- },
- "acl": ["hr"]
- },
- {
- "url": "/:dmsId/edit",
- "state": "worker.card.dms.edit",
- "component": "vn-worker-dms-edit",
- "description": "Edit file",
- "params": {
- "worker": "$ctrl.worker"
- },
- "acl": ["hr"]
- },
- {
- "url": "/create",
- "state": "worker.create",
- "component": "vn-worker-create",
- "description": "New worker",
- "acl": ["hr"]
- },
- {
- "url": "/pda",
- "state": "worker.card.pda",
- "component": "vn-worker-pda",
- "description": "PDA",
- "acl": ["hr", "productionAssi"]
}
]
}
diff --git a/modules/worker/front/search-panel/index.html b/modules/worker/front/search-panel/index.html
deleted file mode 100644
index c93eef78b..000000000
--- a/modules/worker/front/search-panel/index.html
+++ /dev/null
@@ -1,67 +0,0 @@
-
-
-
diff --git a/modules/worker/front/search-panel/index.js b/modules/worker/front/search-panel/index.js
deleted file mode 100644
index ac7405e78..000000000
--- a/modules/worker/front/search-panel/index.js
+++ /dev/null
@@ -1,7 +0,0 @@
-import ngModule from '../module';
-import SearchPanel from 'core/components/searchbar/search-panel';
-
-ngModule.vnComponent('vnWorkerSearchPanel', {
- template: require('./index.html'),
- controller: SearchPanel
-});
diff --git a/modules/worker/front/time-control/index.html b/modules/worker/front/time-control/index.html
deleted file mode 100644
index c34a1e3ca..000000000
--- a/modules/worker/front/time-control/index.html
+++ /dev/null
@@ -1,219 +0,0 @@
-
-
-
-
-
-
-
-
- {{::$ctrl.weekdayNames[$index].name}}
-
- {{::weekday.dated | date: 'dd'}}
-
- {{::weekday.dated | date: 'MMMM'}}
-
-
-
-
-
-
- {{::weekday.event.name}}
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- {{::hour.timed | date: 'HH:mm'}}
-
-
-
-
-
-
-
-
- {{$ctrl.formatHours(weekday.workedHours)}} h.
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
Hours
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
- Are you sure you want to send it?
-
-
-
-
-
-
diff --git a/modules/worker/front/time-control/index.js b/modules/worker/front/time-control/index.js
deleted file mode 100644
index 2993e3986..000000000
--- a/modules/worker/front/time-control/index.js
+++ /dev/null
@@ -1,507 +0,0 @@
-import ngModule from '../module';
-import Section from 'salix/components/section';
-import './style.scss';
-import UserError from 'core/lib/user-error';
-
-class Controller extends Section {
- constructor($element, $, vnWeekDays, moment) {
- super($element, $);
- this.weekDays = [];
- this.weekdayNames = vnWeekDays.locales;
- this.moment = moment;
- this.entryDirections = [
- {code: 'in', description: this.$t('In')},
- {code: 'middle', description: this.$t('Intermediate')},
- {code: 'out', description: this.$t('Out')}
- ];
- }
-
- $postLink() {
- const timestamp = this.$params.timestamp;
- let initialDate = Date.vnNew();
-
- if (timestamp) {
- initialDate = new Date(timestamp * 1000);
- this.$.calendar.defaultDate = initialDate;
- }
-
- this.date = initialDate;
-
- this.getMailStates(this.date);
- }
-
- get isHr() {
- return this.aclService.hasAny(['hr']);
- }
-
- get isHimSelf() {
- const userId = window.localStorage.currentUserWorkerId;
- return userId == this.$params.id;
- }
-
- get worker() {
- return this._worker;
- }
-
- get weekNumber() {
- return this.getWeekNumber(this.date);
- }
-
- set weekNumber(value) {
- this._weekNumber = value;
- }
-
- set worker(value) {
- this._worker = value;
- this.fetchHours();
- if (this.date)
- this.getWeekData();
- }
-
- /**
- * Worker hours data
- */
- get hours() {
- return this._hours;
- }
-
- set hours(value) {
- this._hours = value;
-
- for (const weekDay of this.weekDays) {
- if (value) {
- let day = weekDay.dated.getDay();
- weekDay.hours = value
- .filter(hour => new Date(hour.timed).getDay() == day)
- .sort((a, b) => new Date(a.timed) - new Date(b.timed));
- } else
- weekDay.hours = null;
- }
- }
-
- /**
- * The current selected date
- */
- get date() {
- return this._date;
- }
-
- set date(value) {
- this._date = value;
- value.setHours(0, 0, 0, 0);
-
- let weekOffset = value.getDay() - 1;
- if (weekOffset < 0) weekOffset = 6;
-
- let started = new Date(value.getTime());
- started.setDate(started.getDate() - weekOffset);
- this.started = started;
-
- let ended = new Date(started.getTime());
- ended.setHours(23, 59, 59, 59);
- ended.setDate(ended.getDate() + 6);
- this.ended = ended;
-
- this.weekDays = [];
- let dayIndex = new Date(started.getTime());
-
- while (dayIndex < ended) {
- this.weekDays.push({
- dated: new Date(dayIndex.getTime())
- });
- dayIndex.setDate(dayIndex.getDate() + 1);
- }
-
- if (this.worker) {
- this.fetchHours();
- this.getWeekData();
- }
- }
-
- set weekTotalHours(totalHours) {
- this._weekTotalHours = this.formatHours(totalHours);
- }
-
- get weekTotalHours() {
- return this._weekTotalHours;
- }
-
- getWeekData() {
- const filter = {
- where: {
- workerFk: this.$params.id,
- year: this._date.getFullYear(),
- week: this.getWeekNumber(this._date)
- },
- };
- this.$http.get('WorkerTimeControlMails', {filter})
- .then(res => {
- if (!res.data.length) {
- this.state = null;
- return;
- }
- const [mail] = res.data;
- this.state = mail.state;
- this.reason = mail.reason;
- });
- this.canBeResend();
- }
-
- canBeResend() {
- this.canResend = false;
- const filter = {
- where: {
- year: this._date.getFullYear(),
- week: this.getWeekNumber(this._date)
- },
- limit: 1
- };
- this.$http.get('WorkerTimeControlMails', {filter})
- .then(res => {
- if (res.data.length)
- this.canResend = true;
- });
- }
-
- fetchHours() {
- if (!this.worker || !this.date) return;
-
- const params = {workerFk: this.$params.id};
- const filter = {
- where: {and: [
- {timed: {gte: this.started}},
- {timed: {lte: this.ended}}
- ]}
- };
- this.$.model.applyFilter(filter, params).then(() => {
- this.getWorkedHours(this.started, this.ended);
- this.getAbsences();
- });
- }
-
- getWorkedHours(from, to) {
- this.weekTotalHours = null;
- let weekTotalHours = 0;
- let params = {
- id: this.$params.id,
- from: from,
- to: to
- };
- const query = `Workers/${this.$params.id}/getWorkedHours`;
- return this.$http.get(query, {params}).then(res => {
- const workDays = res.data;
- const map = new Map();
-
- for (const workDay of workDays) {
- workDay.dated = new Date(workDay.dated);
- map.set(workDay.dated, workDay);
- weekTotalHours += workDay.workedHours;
- }
-
- for (const weekDay of this.weekDays) {
- const workDay = workDays.find(day => {
- let from = new Date(day.dated);
- from.setHours(0, 0, 0, 0);
-
- let to = new Date(day.dated);
- to.setHours(23, 59, 59, 59);
-
- return weekDay.dated >= from && weekDay.dated <= to;
- });
-
- if (workDay) {
- weekDay.expectedHours = workDay.expectedHours;
- weekDay.workedHours = workDay.workedHours;
- }
- }
- this.weekTotalHours = weekTotalHours;
- });
- }
-
- getAbsences() {
- const fullYear = this.started.getFullYear();
- let params = {
- workerFk: this.$params.id,
- businessFk: null,
- year: fullYear
- };
-
- return this.$http.get(`Calendars/absences`, {params})
- .then(res => this.onData(res.data));
- }
-
- hasEvents(day) {
- return day >= this.started && day < this.ended;
- }
-
- onData(data) {
- const events = {};
-
- const addEvent = (day, event) => {
- events[new Date(day).getTime()] = event;
- };
-
- if (data.holidays) {
- data.holidays.forEach(holiday => {
- const holidayDetail = holiday.detail && holiday.detail.description;
- const holidayType = holiday.type && holiday.type.name;
- const holidayName = holidayDetail || holidayType;
-
- addEvent(holiday.dated, {
- name: holidayName,
- color: '#ff0'
- });
- });
- }
- if (data.absences) {
- data.absences.forEach(absence => {
- const type = absence.absenceType;
- addEvent(absence.dated, {
- name: type.name,
- color: type.rgb
- });
- });
- }
-
- this.weekDays.forEach(day => {
- const timestamp = day.dated.getTime();
- if (events[timestamp])
- day.event = events[timestamp];
- });
- }
-
- getFinishTime() {
- if (!this.weekDays) return;
-
- let today = Date.vnNew();
- today.setHours(0, 0, 0, 0);
-
- let todayInWeek = this.weekDays.find(day => day.dated.getTime() === today.getTime());
-
- if (todayInWeek && todayInWeek.hours && todayInWeek.hours.length) {
- const remainingTime = todayInWeek.workedHours ?
- ((todayInWeek.expectedHours - todayInWeek.workedHours) * 1000) : null;
- const lastKnownEntry = todayInWeek.hours[todayInWeek.hours.length - 1];
- const lastKnownTime = new Date(lastKnownEntry.timed).getTime();
- const finishTimeStamp = lastKnownTime && remainingTime ? lastKnownTime + remainingTime : null;
-
- if (finishTimeStamp) {
- let finishDate = new Date(finishTimeStamp);
- let hour = finishDate.getHours();
- let minute = finishDate.getMinutes();
-
- if (hour < 10) hour = `0${hour}`;
- if (minute < 10) minute = `0${minute}`;
-
- return `${hour}:${minute} h.`;
- }
- }
- }
-
- formatHours(timestamp = 0) {
- let hour = Math.floor(timestamp / 3600);
- let min = Math.floor(timestamp / 60 - 60 * hour);
-
- if (hour < 10) hour = `0${hour}`;
- if (min < 10) min = `0${min}`;
-
- return `${hour}:${min}`;
- }
-
- showAddTimeDialog(weekday) {
- const timed = new Date(weekday.dated.getTime());
- timed.setHours(0, 0, 0, 0);
-
- this.newTimeEntry = {
- workerFk: this.$params.id,
- timed: timed
- };
- this.selectedWeekday = weekday;
- this.$.addTimeDialog.show();
- }
-
- addTime() {
- try {
- const entry = this.newTimeEntry;
- if (!entry.direction)
- throw new Error(`The entry type can't be empty`);
-
- const query = `WorkerTimeControls/${this.worker.id}/addTimeEntry`;
- this.$http.post(query, entry)
- .then(() => {
- this.fetchHours();
- this.getMailStates(this.date);
- });
- } catch (e) {
- this.vnApp.showError(this.$t(e.message));
- return false;
- }
-
- return true;
- }
-
- showDeleteDialog($event, hour) {
- $event.preventDefault();
-
- this.timeEntryToDelete = hour;
- this.$.deleteEntryDialog.show();
- }
-
- deleteTimeEntry() {
- const entryId = this.timeEntryToDelete.id;
-
- this.$http.post(`WorkerTimeControls/${entryId}/deleteTimeEntry`).then(() => {
- this.fetchHours();
- this.getMailStates(this.date);
- this.vnApp.showSuccess(this.$t('Entry removed'));
- });
- }
-
- edit($event, hour) {
- if ($event.defaultPrevented) return;
-
- this.selectedRow = hour;
- this.$.editEntry.show($event);
- }
-
- getWeekNumber(date) {
- const tempDate = new Date(Date.UTC(date.getFullYear(), date.getMonth(), date.getDate()));
- return this.moment(tempDate).isoWeek();
- }
-
- isSatisfied() {
- this.updateWorkerTimeControlMail('CONFIRMED');
- }
-
- isUnsatisfied() {
- if (!this.reason) throw new UserError(`You must indicate a reason`);
- this.updateWorkerTimeControlMail('REVISE', this.reason);
- }
-
- updateWorkerTimeControlMail(state, reason) {
- const params = {
- year: this.date.getFullYear(),
- week: this.weekNumber,
- state
- };
-
- if (reason)
- params.reason = reason;
-
- const query = `WorkerTimeControls/${this.worker.id}/updateMailState`;
- this.$http.post(query, params).then(() => {
- this.getMailStates(this.date);
- this.getWeekData();
- this.vnApp.showSuccess(this.$t('Data saved!'));
- });
- }
-
- state(state, reason) {
- this.state = state;
- this.reason = reason;
- this.repaint();
- }
-
- save() {
- try {
- const entry = this.selectedRow;
- if (!entry.direction)
- throw new Error(`The entry type can't be empty`);
-
- const query = `WorkerTimeControls/${entry.id}/updateTimeEntry`;
- if (entry.direction !== entry.$orgRow.direction) {
- this.$http.post(query, {direction: entry.direction})
- .then(() => this.vnApp.showSuccess(this.$t('Data saved!')))
- .then(() => this.$.editEntry.hide())
- .then(() => this.fetchHours())
- .then(() => this.getMailStates(this.date));
- }
- } catch (e) {
- this.vnApp.showError(this.$t(e.message));
- }
- }
-
- resendEmail() {
- const params = {
- recipient: this.worker.user.emailUser.email,
- week: this.weekNumber,
- year: this.date.getFullYear(),
- workerId: this.worker.id,
- state: 'SENDED'
- };
- this.$http.post(`WorkerTimeControls/weekly-hour-record-email`, params)
- .then(() => {
- this.getMailStates(this.date);
- this.vnApp.showSuccess(this.$t('Email sended'));
- });
- }
-
- getTime(timeString) {
- const [hours, minutes, seconds] = timeString.split(':');
- return [parseInt(hours), parseInt(minutes), parseInt(seconds)];
- }
-
- getMailStates(date) {
- const params = {
- month: date.getMonth() + 1,
- year: date.getFullYear()
- };
- const query = `WorkerTimeControls/${this.$params.id}/getMailStates`;
- this.$http.get(query, {params})
- .then(res => {
- this.workerTimeControlMails = res.data;
- this.repaint();
- });
- }
-
- formatWeek($element) {
- const weekNumberHTML = $element.firstElementChild;
- const weekNumberValue = weekNumberHTML.innerHTML;
-
- if (!this.workerTimeControlMails) return;
- const workerTimeControlMail = this.workerTimeControlMails.find(
- workerTimeControlMail => workerTimeControlMail.week == weekNumberValue
- );
-
- if (!workerTimeControlMail) return;
- const state = workerTimeControlMail.state;
-
- if (state == 'CONFIRMED') {
- weekNumberHTML.classList.remove('revise');
- weekNumberHTML.classList.remove('sended');
-
- weekNumberHTML.classList.add('confirmed');
- weekNumberHTML.setAttribute('title', 'Conforme');
- }
- if (state == 'REVISE') {
- weekNumberHTML.classList.remove('confirmed');
- weekNumberHTML.classList.remove('sended');
-
- weekNumberHTML.classList.add('revise');
- weekNumberHTML.setAttribute('title', 'No conforme');
- }
- if (state == 'SENDED') {
- weekNumberHTML.classList.add('sended');
- weekNumberHTML.setAttribute('title', 'Pendiente');
- }
- }
-
- repaint() {
- let calendars = this.element.querySelectorAll('vn-calendar');
- for (let calendar of calendars)
- calendar.$ctrl.repaint();
- }
-}
-
-Controller.$inject = ['$element', '$scope', 'vnWeekDays', 'moment'];
-
-ngModule.vnComponent('vnWorkerTimeControl', {
- template: require('./index.html'),
- controller: Controller,
- bindings: {
- worker: '<'
- },
- require: {
- card: '^vnWorkerCard'
- }
-});
diff --git a/modules/worker/front/time-control/index.spec.js b/modules/worker/front/time-control/index.spec.js
deleted file mode 100644
index 3868ded75..000000000
--- a/modules/worker/front/time-control/index.spec.js
+++ /dev/null
@@ -1,286 +0,0 @@
-import './index.js';
-
-describe('Component vnWorkerTimeControl', () => {
- let $httpBackend;
- let $scope;
- let $element;
- let controller;
- let $httpParamSerializer;
-
- beforeEach(ngModule('worker'));
-
- beforeEach(inject(($componentController, $rootScope, $stateParams, _$httpBackend_, _$httpParamSerializer_) => {
- $stateParams.id = 1;
- $httpBackend = _$httpBackend_;
- $httpParamSerializer = _$httpParamSerializer_;
- $scope = $rootScope.$new();
- $element = angular.element('');
- controller = $componentController('vnWorkerTimeControl', {$element, $scope});
- controller.card = {
- hasWorkCenter: true
- };
- }));
-
- describe('date() setter', () => {
- it(`should set the weekDays and the date in the controller`, () => {
- let today = Date.vnNew();
- jest.spyOn(controller, 'fetchHours').mockReturnThis();
-
- controller.date = today;
-
- expect(controller._date).toEqual(today);
- expect(controller.started).toBeDefined();
- expect(controller.ended).toBeDefined();
- expect(controller.weekDays.length).toEqual(7);
- });
- });
-
- describe('hours() setter', () => {
- it(`should set hours data at it's corresponding week day`, () => {
- let today = Date.vnNew();
- jest.spyOn(controller, 'fetchHours').mockReturnThis();
-
- controller.date = today;
-
- let hours = [
- {
- id: 1,
- timed: controller.started.toJSON(),
- userFk: 1
- }, {
- id: 2,
- timed: controller.ended.toJSON(),
- userFk: 1
- }, {
- id: 3,
- timed: controller.ended.toJSON(),
- userFk: 1
- }
- ];
-
- controller.hours = hours;
-
- expect(controller.weekDays.length).toEqual(7);
- expect(controller.weekDays[0].hours.length).toEqual(1);
- expect(controller.weekDays[6].hours.length).toEqual(2);
- });
- });
-
- describe('getWorkedHours() ', () => {
- it('should set the weekdays expected and worked hours plus the total worked hours', () => {
- let today = Date.vnNew();
- jest.spyOn(controller, 'fetchHours').mockReturnThis();
-
- controller.date = today;
-
- let sixHoursInSeconds = 6 * 60 * 60;
- let tenHoursInSeconds = 10 * 60 * 60;
- let response = [
- {
- dated: today,
- expectedHours: sixHoursInSeconds,
- workedHours: tenHoursInSeconds,
-
- },
- ];
- $httpBackend.whenRoute('GET', 'Workers/:id/getWorkedHours')
- .respond(response);
-
- $httpBackend.whenRoute('GET', 'WorkerTimeControlMails')
- .respond([]);
-
- today.setHours(0, 0, 0, 0);
-
- let weekOffset = today.getDay() - 1;
- if (weekOffset < 0) weekOffset = 6;
-
- let started = new Date(today.getTime());
- started.setDate(started.getDate() - weekOffset);
- controller.started = started;
-
- let ended = new Date(started.getTime());
- ended.setHours(23, 59, 59, 59);
- ended.setDate(ended.getDate() + 6);
- controller.ended = ended;
-
- controller.getWorkedHours(controller.started, controller.ended);
- $httpBackend.flush();
-
- expect(controller.weekDays.length).toEqual(7);
- expect(controller.weekDays[weekOffset].expectedHours).toEqual(response[0].expectedHours);
- expect(controller.weekDays[weekOffset].workedHours).toEqual(response[0].workedHours);
- expect(controller.weekTotalHours).toEqual('10:00');
- });
-
- describe('formatHours() ', () => {
- it(`should format a passed timestamp to hours and minutes`, () => {
- const result = controller.formatHours(3600);
-
- expect(result).toEqual('01:00');
- });
- });
-
- describe('save() ', () => {
- it(`should make a query an then call to the fetchHours() method`, () => {
- const today = Date.vnNew();
-
- jest.spyOn(controller, 'getWeekData').mockReturnThis();
- jest.spyOn(controller, 'getMailStates').mockReturnThis();
-
- controller.$.model = {applyFilter: jest.fn().mockReturnValue(Promise.resolve())};
- controller.date = today;
- controller.fetchHours = jest.fn();
- controller.selectedRow = {id: 1, timed: Date.vnNew(), direction: 'in', $orgRow: {direction: null}};
- controller.$.editEntry = {
- hide: () => {}
- };
- const expectedParams = {direction: 'in'};
- $httpBackend.expect('POST', 'WorkerTimeControls/1/updateTimeEntry', expectedParams).respond(200);
- controller.save();
- $httpBackend.flush();
-
- expect(controller.fetchHours).toHaveBeenCalledWith();
- });
- });
-
- describe('$postLink() ', () => {
- it(`should set the controller date as today if no timestamp is defined`, () => {
- controller.$.model = {applyFilter: jest.fn().mockReturnValue(Promise.resolve())};
- controller.$params = {timestamp: undefined};
- controller.$postLink();
-
- expect(controller.date).toEqual(jasmine.any(Date));
- });
-
- it(`should set the controller date using the received timestamp`, () => {
- const timestamp = 1;
- const date = new Date(timestamp);
-
- controller.$.model = {applyFilter: jest.fn().mockReturnValue(Promise.resolve())};
- controller.$.calendar = {};
- controller.$params = {timestamp: timestamp};
-
- controller.$postLink();
-
- expect(controller.date.toDateString()).toEqual(date.toDateString());
- });
- });
-
- describe('getWeekData() ', () => {
- it(`should make a query an then update the state and reason`, () => {
- const today = Date.vnNew();
- const response = [
- {
- state: 'SENDED',
- reason: null
- }
- ];
-
- controller._date = today;
-
- $httpBackend.whenRoute('GET', 'WorkerTimeControlMails')
- .respond(response);
-
- controller.getWeekData();
- $httpBackend.flush();
-
- expect(controller.state).toBe('SENDED');
- expect(controller.reason).toBe(null);
- });
- });
-
- describe('isSatisfied() ', () => {
- it(`should make a query an then call three methods`, () => {
- const today = Date.vnNew();
- jest.spyOn(controller, 'getWeekData').mockReturnThis();
- jest.spyOn(controller, 'getMailStates').mockReturnThis();
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- controller.$.model = {applyFilter: jest.fn().mockReturnValue(Promise.resolve())};
- controller.worker = {id: 1};
- controller.date = today;
- controller.weekNumber = 1;
-
- $httpBackend.expect('POST', 'WorkerTimeControls/1/updateMailState').respond();
- controller.isSatisfied();
- $httpBackend.flush();
-
- expect(controller.getMailStates).toHaveBeenCalledWith(controller.date);
- expect(controller.getWeekData).toHaveBeenCalled();
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('isUnsatisfied() ', () => {
- it(`should throw an error is reason is empty`, () => {
- let error;
- try {
- controller.isUnsatisfied();
- } catch (e) {
- error = e;
- }
-
- expect(error).toBeDefined();
- expect(error.message).toBe(`You must indicate a reason`);
- });
-
- it(`should make a query an then call three methods`, () => {
- const today = Date.vnNew();
- jest.spyOn(controller, 'getWeekData').mockReturnThis();
- jest.spyOn(controller, 'getMailStates').mockReturnThis();
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- controller.$.model = {applyFilter: jest.fn().mockReturnValue(Promise.resolve())};
- controller.worker = {id: 1};
- controller.date = today;
- controller.weekNumber = 1;
- controller.reason = 'reason';
-
- $httpBackend.expect('POST', 'WorkerTimeControls/1/updateMailState').respond();
- controller.isSatisfied();
- $httpBackend.flush();
-
- expect(controller.getMailStates).toHaveBeenCalledWith(controller.date);
- expect(controller.getWeekData).toHaveBeenCalled();
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('resendEmail() ', () => {
- it(`should make a query an then call showSuccess method`, () => {
- const today = Date.vnNew();
-
- jest.spyOn(controller, 'getWeekData').mockReturnThis();
- jest.spyOn(controller, 'getMailStates').mockReturnThis();
- jest.spyOn(controller.vnApp, 'showSuccess');
-
- controller.$.model = {applyFilter: jest.fn().mockReturnValue(Promise.resolve())};
- controller.worker = {id: 1};
- controller.worker = {user: {emailUser: {email: 'employee@verdnatura.es'}}};
- controller.date = today;
- controller.weekNumber = 1;
-
- $httpBackend.expect('POST', 'WorkerTimeControls/weekly-hour-record-email').respond();
- controller.resendEmail();
- $httpBackend.flush();
-
- expect(controller.vnApp.showSuccess).toHaveBeenCalled();
- });
- });
-
- describe('getMailStates() ', () => {
- it(`should make a query an then call showSuccess method`, () => {
- const today = Date.vnNew();
- jest.spyOn(controller, 'repaint').mockReturnThis();
-
- controller.$params = {id: 1};
-
- $httpBackend.expect('GET', `WorkerTimeControls/1/getMailStates?month=1&year=2001`).respond();
- controller.getMailStates(today);
- $httpBackend.flush();
-
- expect(controller.repaint).toHaveBeenCalled();
- });
- });
- });
-});
diff --git a/modules/worker/front/time-control/locale/es.yml b/modules/worker/front/time-control/locale/es.yml
deleted file mode 100644
index 091c01baa..000000000
--- a/modules/worker/front/time-control/locale/es.yml
+++ /dev/null
@@ -1,22 +0,0 @@
-In: Entrada
-Out: Salida
-Intermediate: Intermedio
-Hour: Hora
-Hours: Horas
-Add time: Añadir hora
-Week total: Total semana
-Current week: Semana actual
-This time entry will be deleted: Se eliminará la hora fichada
-Are you sure you want to delete this entry?: ¿Seguro que quieres eliminarla?
-Finish at: Termina a las
-Entry removed: Fichada borrada
-The entry type can't be empty: El tipo de fichada no puede quedar vacía
-Satisfied: Conforme
-Not satisfied: No conforme
-Reason: Motivo
-Resend: Reenviar
-Email sended: Email enviado
-You must indicate a reason: Debes indicar un motivo
-Send time control email: Enviar email control horario
-Are you sure you want to send it?: ¿Seguro que quieres enviarlo?
-Resend email of this week to the user: Reenviar email de esta semana al usuario
diff --git a/modules/worker/front/time-control/style.scss b/modules/worker/front/time-control/style.scss
deleted file mode 100644
index 9d7545aaf..000000000
--- a/modules/worker/front/time-control/style.scss
+++ /dev/null
@@ -1,52 +0,0 @@
-@import "variables";
-
-vn-worker-time-control {
- vn-thead > vn-tr > vn-td > div.weekday {
- margin-bottom: 5px;
- color: $color-main
- }
- vn-td.hours {
- min-width: 100px;
- vertical-align: top;
-
- & > section {
- display: flex;
- align-items: center;
- justify-content: center;
- padding: 4px 0;
-
- & > vn-icon {
- color: $color-font-secondary;
- padding-right: 1px;
- }
- }
- }
- .totalBox {
- max-width: none
- }
-
-}
-
-.reasonDialog{
- min-width: 500px;
-}
-
-.edit-time-entry {
- width: 200px
-}
-
-.right {
- float: right;
- }
-
-.confirmed {
- color: #97B92F;
-}
-
-.revise {
- color: #f61e1e;
-}
-
-.sended {
- color: #d19b25;
-}
diff --git a/myt.config.yml b/myt.config.yml
index 116e3668a..ffa4188b2 100755
--- a/myt.config.yml
+++ b/myt.config.yml
@@ -66,7 +66,6 @@ fixtures:
- siiTrascendencyInvoiceIn
- siiTypeInvoiceIn
- siiTypeInvoiceOut
- - silexACL
- state
- ticketUpdateAction
- volumeConfig
diff --git a/package.json b/package.json
index 904202c71..61a9cf46c 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "salix-back",
- "version": "24.32.0",
+ "version": "24.34.0",
"author": "Verdnatura Levante SL",
"description": "Salix backend",
"license": "GPL-3.0",
@@ -118,7 +118,10 @@
"test:front": "jest --watch",
"back": "nodemon --inspect -w modules ./node_modules/gulp/bin/gulp.js back",
"lint": "eslint ./ --cache --ignore-pattern .gitignore",
- "watch:db": "node ./db/dbWatcher.js"
+ "watch:db": "node ./db/dbWatcher.js",
+ "commitlint": "commitlint --edit",
+ "prepare": "npx husky install",
+ "addReferenceTag": "node .husky/addReferenceTag.js"
},
"jest": {
"projects": [
diff --git a/print/templates/reports/collection-label/collection-label.html b/print/templates/reports/collection-label/collection-label.html
index 65709ead0..1f57fc3d9 100644
--- a/print/templates/reports/collection-label/collection-label.html
+++ b/print/templates/reports/collection-label/collection-label.html
@@ -10,14 +10,10 @@
{{dashIfEmpty(labelData.shipped)}} |
-
+
|
{{dashIfEmpty(labelData.workerCode)}} |
-
- |
- {{dashIfEmpty(labelData.workerCode)}} |
-
{{labelCount || labelData.labelCount || 0}} |
diff --git a/print/templates/reports/collection-label/collection-label.js b/print/templates/reports/collection-label/collection-label.js
index f2f697ae6..4aeaca854 100644
--- a/print/templates/reports/collection-label/collection-label.js
+++ b/print/templates/reports/collection-label/collection-label.js
@@ -1,7 +1,5 @@
-const {DOMImplementation, XMLSerializer} = require('xmldom');
const vnReport = require('../../../core/mixins/vn-report.js');
const {toDataURL} = require('qrcode');
-const jsBarcode = require('jsbarcode');
module.exports = {
name: 'collection-label',
@@ -30,11 +28,8 @@ module.exports = {
const labels = await this.rawSqlFromDef('labelsData', [ticketIds]);
- const [{scannableCodeType}] = await this.rawSqlFromDef('barcodeType');
- if (scannableCodeType === 'qr') {
- for (const labelData of labels)
- labelData.qrData = await this.getQr(labelData?.ticketFk, labelData?.workerFk);
- }
+ for (const labelData of labels)
+ labelData.qrData = await this.getQr(labelData?.ticketFk, labelData?.workerFk);
this.labelsData = labels;
this.checkMainEntity(this.labelsData);
@@ -50,20 +45,6 @@ module.exports = {
});
return toDataURL(QRdata, {margin: 0});
},
- getBarcode(id) {
- const xmlSerializer = new XMLSerializer();
- const document = new DOMImplementation().createDocument('http://www.w3.org/1999/xhtml', 'html', null);
- const svgNode = document.createElementNS('http://www.w3.org/2000/svg', 'svg');
-
- jsBarcode(svgNode, id, {
- xmlDocument: document,
- format: 'code128',
- displayValue: false,
- width: 3.8,
- height: 115,
- });
- return xmlSerializer.serializeToString(svgNode);
- },
getVertical(labelData) {
let value;
if (labelData.collectionFk) {
diff --git a/print/templates/reports/collection-label/sql/barcodeType.sql b/print/templates/reports/collection-label/sql/barcodeType.sql
deleted file mode 100644
index 0700c95a2..000000000
--- a/print/templates/reports/collection-label/sql/barcodeType.sql
+++ /dev/null
@@ -1,3 +0,0 @@
-SELECT scannableCodeType
- FROM productionConfig
- LIMIT 1
\ No newline at end of file