diff --git a/.eslintrc.yml b/.eslintrc.yml
index 13fc2b140..ee20324ff 100644
--- a/.eslintrc.yml
+++ b/.eslintrc.yml
@@ -1,6 +1,6 @@
extends: [eslint:recommended, google, plugin:jasmine/recommended]
parserOptions:
- ecmaVersion: 2018
+ ecmaVersion: 2020
sourceType: "module"
plugins:
- jasmine
@@ -35,4 +35,4 @@ rules:
space-in-parens: ["error", "never"]
jasmine/no-focused-tests: 0
jasmine/prefer-toHaveBeenCalledWith: 0
- arrow-spacing: ["error", { "before": true, "after": true }]
\ No newline at end of file
+ arrow-spacing: ["error", { "before": true, "after": true }]
diff --git a/CHANGELOG.md b/CHANGELOG.md
index d4717b711..708ebbc4b 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -5,6 +5,15 @@ All notable changes to this project will be documented in this file.
The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/),
and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).
+## [2326.01] - 2023-06-29
+
+### Added
+
+### Changed
+
+### Fixed
+-
+
## [2324.01] - 2023-06-08
### Added
@@ -32,7 +41,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0
### Changed
- (Trabajadores -> Nuevo trabajador) Los clientes se crean sin 'TR' pero se añade tipo de negocio 'Trabajador'
-
+- (Tickets -> Expediciones) Interfaz mejorada y contador añadido
### Fixed
- (Tickets -> Líneas) Se permite hacer split de líneas al mismo ticket
- (Tickets -> Cambiar estado) Ahora muestra la lista completa de todos los estados
diff --git a/back/methods/collection/newCollection.js b/back/methods/collection/newCollection.js
index 31e419b67..2be9f8b0e 100644
--- a/back/methods/collection/newCollection.js
+++ b/back/methods/collection/newCollection.js
@@ -30,11 +30,11 @@ module.exports = Self => {
Self.newCollection = async(ctx, collectionFk, sectorFk, vWagons) => {
let query = '';
+ const userId = ctx.req.accessToken.userId;
if (!collectionFk) {
- const userId = ctx.req.accessToken.userId;
query = `CALL vn.collectionTrain_newBeta(?,?,?)`;
- const [result] = await Self.rawSql(query, [sectorFk, vWagons, userId]);
+ const [result] = await Self.rawSql(query, [sectorFk, vWagons, userId], {userId});
if (result.length == 0)
throw new Error(`No collections for today`);
@@ -42,16 +42,16 @@ module.exports = Self => {
}
query = `CALL vn.collectionTicket_get(?)`;
- const [tickets] = await Self.rawSql(query, [collectionFk]);
+ const [tickets] = await Self.rawSql(query, [collectionFk], {userId});
query = `CALL vn.collectionSale_get(?)`;
- const [sales] = await Self.rawSql(query, [collectionFk]);
+ const [sales] = await Self.rawSql(query, [collectionFk], {userId});
query = `CALL vn.collectionPlacement_get(?)`;
- const [placements] = await Self.rawSql(query, [collectionFk]);
+ const [placements] = await Self.rawSql(query, [collectionFk], {userId});
query = `CALL vn.collectionSticker_print(?,?)`;
- await Self.rawSql(query, [collectionFk, sectorFk]);
+ await Self.rawSql(query, [collectionFk, sectorFk], {userId});
return makeCollection(tickets, sales, placements, collectionFk);
};
diff --git a/back/methods/edi/updateData.js b/back/methods/edi/updateData.js
index 1057be39b..10c81a795 100644
--- a/back/methods/edi/updateData.js
+++ b/back/methods/edi/updateData.js
@@ -3,237 +3,237 @@ const path = require('path');
const fs = require('fs-extra');
module.exports = Self => {
- Self.remoteMethodCtx('updateData', {
- description: 'Updates schema data from external provider',
- accessType: 'WRITE',
- returns: {
- type: 'object',
- root: true
- },
- http: {
- path: `/updateData`,
- verb: 'POST'
- }
- });
+ Self.remoteMethodCtx('updateData', {
+ description: 'Updates schema data from external provider',
+ accessType: 'WRITE',
+ returns: {
+ type: 'object',
+ root: true
+ },
+ http: {
+ path: `/updateData`,
+ verb: 'POST'
+ }
+ });
- Self.updateData = async() => {
- const models = Self.app.models;
+ Self.updateData = async ctx => {
+ const models = Self.app.models;
- // Get files checksum
- const tx = await Self.beginTransaction({});
+ // Get files checksum
+ const tx = await Self.beginTransaction({});
- try {
- const options = {transaction: tx};
- const files = await Self.rawSql('SELECT name, checksum, keyValue FROM edi.fileConfig', null, options);
+ try {
+ const options = {transaction: tx, userId: ctx.req.accessToken.userId};
+ const files = await Self.rawSql('SELECT name, checksum, keyValue FROM edi.fileConfig', null, options);
- const updatableFiles = [];
- for (const file of files) {
- const fileChecksum = await getChecksum(file);
+ const updatableFiles = [];
+ for (const file of files) {
+ const fileChecksum = await getChecksum(file);
- if (file.checksum != fileChecksum) {
- updatableFiles.push({
- name: file.name,
- checksum: fileChecksum
- });
- } else
- console.debug(`File already updated, skipping...`);
- }
+ if (file.checksum != fileChecksum) {
+ updatableFiles.push({
+ name: file.name,
+ checksum: fileChecksum
+ });
+ } else
+ console.debug(`File already updated, skipping...`);
+ }
- if (updatableFiles.length === 0)
- return false;
+ if (updatableFiles.length === 0)
+ return false;
- // Download files
- const container = await models.TempContainer.container('edi');
- const tempPath = path.join(container.client.root, container.name);
+ // Download files
+ const container = await models.TempContainer.container('edi');
+ const tempPath = path.join(container.client.root, container.name);
- let remoteFile;
- let tempDir;
- let tempFile;
+ let remoteFile;
+ let tempDir;
+ let tempFile;
- const fileNames = updatableFiles.map(file => file.name);
+ const fileNames = updatableFiles.map(file => file.name);
- const tables = await Self.rawSql(`
+ const tables = await Self.rawSql(`
SELECT fileName, toTable, file
FROM edi.tableConfig
WHERE file IN (?)`, [fileNames], options);
- for (const table of tables) {
- const fileName = table.file;
+ for (const table of tables) {
+ const fileName = table.file;
- remoteFile = `codes/${fileName}.ZIP`;
- tempDir = `${tempPath}/${fileName}`;
- tempFile = `${tempPath}/${fileName}.zip`;
+ remoteFile = `codes/${fileName}.ZIP`;
+ tempDir = `${tempPath}/${fileName}`;
+ tempFile = `${tempPath}/${fileName}.zip`;
- try {
- await fs.readFile(tempFile);
- } catch (error) {
- if (error.code === 'ENOENT') {
- console.debug(`Downloading file ${fileName}...`);
- const downloadOutput = await downloadFile(remoteFile, tempFile);
- if (downloadOutput.error)
- continue;
- }
- }
+ try {
+ await fs.readFile(tempFile);
+ } catch (error) {
+ if (error.code === 'ENOENT') {
+ console.debug(`Downloading file ${fileName}...`);
+ const downloadOutput = await downloadFile(remoteFile, tempFile);
+ if (downloadOutput.error)
+ continue;
+ }
+ }
- await extractFile(fileName, tempFile, tempDir);
+ await extractFile(fileName, tempFile, tempDir);
- console.debug(`Updating table ${table.toTable}...`);
- await dumpData(tempDir, table, options);
- }
+ console.debug(`Updating table ${table.toTable}...`);
+ await dumpData(tempDir, table, options);
+ }
- // Update files checksum
- for (const file of updatableFiles) {
- console.log(`Updating file ${file.name} checksum...`);
- await Self.rawSql(`
+ // Update files checksum
+ for (const file of updatableFiles) {
+ console.log(`Updating file ${file.name} checksum...`);
+ await Self.rawSql(`
UPDATE edi.fileConfig
SET checksum = ?
WHERE name = ?`,
- [file.checksum, file.name], options);
- }
+ [file.checksum, file.name], options);
+ }
- await tx.commit();
+ await tx.commit();
- // Clean files
- try {
- console.debug(`Cleaning files...`);
- await fs.remove(tempPath);
- } catch (error) {
- if (error.code !== 'ENOENT')
- throw e;
- }
+ // Clean files
+ try {
+ console.debug(`Cleaning files...`);
+ await fs.remove(tempPath);
+ } catch (error) {
+ if (error.code !== 'ENOENT')
+ throw e;
+ }
- return true;
- } catch (error) {
- await tx.rollback();
- throw error;
- }
- };
+ return true;
+ } catch (error) {
+ await tx.rollback();
+ throw error;
+ }
+ };
- let ftpClient;
- async function getFtpClient() {
- if (!ftpClient) {
- const [ftpConfig] = await Self.rawSql('SELECT host, user, password FROM edi.ftpConfig');
- console.debug(`Openning FTP connection to ${ftpConfig.host}...\n`);
+ let ftpClient;
+ async function getFtpClient() {
+ if (!ftpClient) {
+ const [ftpConfig] = await Self.rawSql('SELECT host, user, password FROM edi.ftpConfig');
+ console.debug(`Openning FTP connection to ${ftpConfig.host}...\n`);
- const FtpClient = require('ftps');
+ const FtpClient = require('ftps');
- ftpClient = new FtpClient({
- host: ftpConfig.host,
- username: ftpConfig.user,
- password: ftpConfig.password,
- procotol: 'ftp',
- additionalLftpCommands: 'set ssl:verify-certificate no'
- });
- }
+ ftpClient = new FtpClient({
+ host: ftpConfig.host,
+ username: ftpConfig.user,
+ password: ftpConfig.password,
+ procotol: 'ftp',
+ additionalLftpCommands: 'set ssl:verify-certificate no'
+ });
+ }
- return ftpClient;
- }
+ return ftpClient;
+ }
- async function getChecksum(file) {
- const ftpClient = await getFtpClient();
- console.debug(`Checking checksum for file ${file.name}...`);
+ async function getChecksum(file) {
+ const ftpClient = await getFtpClient();
+ console.debug(`Checking checksum for file ${file.name}...`);
- ftpClient.cat(`codes/${file.name}.TXT`);
+ ftpClient.cat(`codes/${file.name}.TXT`);
- const response = await new Promise((resolve, reject) => {
- ftpClient.exec((err, response) => {
- if (err || response.error) {
- console.debug(`Error downloading checksum file... ${response.error}`);
- return reject(err);
- }
+ const response = await new Promise((resolve, reject) => {
+ ftpClient.exec((err, response) => {
+ if (err || response.error) {
+ console.debug(`Error downloading checksum file... ${response.error}`);
+ return reject(err);
+ }
- resolve(response);
- });
- });
+ resolve(response);
+ });
+ });
- if (response && response.data) {
- const fileContents = response.data;
- const rows = fileContents.split('\n');
- const row = rows[4];
- const columns = row.split(/\s+/);
+ if (response && response.data) {
+ const fileContents = response.data;
+ const rows = fileContents.split('\n');
+ const row = rows[4];
+ const columns = row.split(/\s+/);
- let fileChecksum;
- if (file.keyValue)
- fileChecksum = columns[1];
+ let fileChecksum;
+ if (file.keyValue)
+ fileChecksum = columns[1];
- if (!file.keyValue)
- fileChecksum = columns[0];
+ if (!file.keyValue)
+ fileChecksum = columns[0];
- return fileChecksum;
- }
- }
+ return fileChecksum;
+ }
+ }
- async function downloadFile(remoteFile, tempFile) {
- const ftpClient = await getFtpClient();
+ async function downloadFile(remoteFile, tempFile) {
+ const ftpClient = await getFtpClient();
- ftpClient.get(remoteFile, tempFile);
+ ftpClient.get(remoteFile, tempFile);
- return new Promise((resolve, reject) => {
- ftpClient.exec((err, response) => {
- if (err || response.error) {
- console.debug(`Error downloading file... ${response.error}`);
- return reject(err);
- }
+ return new Promise((resolve, reject) => {
+ ftpClient.exec((err, response) => {
+ if (err || response.error) {
+ console.debug(`Error downloading file... ${response.error}`);
+ return reject(err);
+ }
- resolve(response);
- });
- });
- }
+ resolve(response);
+ });
+ });
+ }
- async function extractFile(fileName, tempFile, tempDir) {
- const JSZip = require('jszip');
+ async function extractFile(fileName, tempFile, tempDir) {
+ const JSZip = require('jszip');
- try {
- await fs.mkdir(tempDir);
- console.debug(`Extracting file ${fileName}...`);
- } catch (error) {
- if (error.code !== 'EEXIST')
- throw e;
- }
+ try {
+ await fs.mkdir(tempDir);
+ console.debug(`Extracting file ${fileName}...`);
+ } catch (error) {
+ if (error.code !== 'EEXIST')
+ throw e;
+ }
- const fileStream = await fs.readFile(tempFile);
- if (fileStream) {
- const zip = new JSZip();
- const zipContents = await zip.loadAsync(fileStream);
+ const fileStream = await fs.readFile(tempFile);
+ if (fileStream) {
+ const zip = new JSZip();
+ const zipContents = await zip.loadAsync(fileStream);
- if (!zipContents) return;
+ if (!zipContents) return;
- const fileNames = Object.keys(zipContents.files);
+ const fileNames = Object.keys(zipContents.files);
- for (const fileName of fileNames) {
- const fileContent = await zip.file(fileName).async('nodebuffer');
- const dest = path.join(tempDir, fileName);
- await fs.writeFile(dest, fileContent);
- }
- }
- }
+ for (const fileName of fileNames) {
+ const fileContent = await zip.file(fileName).async('nodebuffer');
+ const dest = path.join(tempDir, fileName);
+ await fs.writeFile(dest, fileContent);
+ }
+ }
+ }
- async function dumpData(tempDir, table, options) {
- const toTable = table.toTable;
- const baseName = table.fileName;
+ async function dumpData(tempDir, table, options) {
+ const toTable = table.toTable;
+ const baseName = table.fileName;
- console.log(`Emptying table ${toTable}...`);
- const tableName = `edi.${toTable}`;
- await Self.rawSql(`DELETE FROM ??`, [tableName]);
+ console.log(`Emptying table ${toTable}...`);
+ const tableName = `edi.${toTable}`;
+ await Self.rawSql(`DELETE FROM ??`, [tableName]);
- const dirFiles = await fs.readdir(tempDir);
- const files = dirFiles.filter(file => file.startsWith(baseName));
+ const dirFiles = await fs.readdir(tempDir);
+ const files = dirFiles.filter(file => file.startsWith(baseName));
- for (const file of files) {
- console.log(`Dumping data from file ${file}...`);
+ for (const file of files) {
+ console.log(`Dumping data from file ${file}...`);
- const templatePath = path.join(__dirname, `./sql/${toTable}.sql`);
- const sqlTemplate = await fs.readFile(templatePath, 'utf8');
- const filePath = path.join(tempDir, file);
+ const templatePath = path.join(__dirname, `./sql/${toTable}.sql`);
+ const sqlTemplate = await fs.readFile(templatePath, 'utf8');
+ const filePath = path.join(tempDir, file);
- await Self.rawSql(sqlTemplate, [filePath], options);
- await Self.rawSql(`
+ await Self.rawSql(sqlTemplate, [filePath], options);
+ await Self.rawSql(`
UPDATE edi.tableConfig
SET updated = ?
WHERE fileName = ?
`, [Date.vnNew(), baseName], options);
- }
+ }
- console.log(`Updated table ${toTable}\n`);
- }
+ console.log(`Updated table ${toTable}\n`);
+ }
};
diff --git a/back/methods/vn-user/recover-password.js b/back/methods/vn-user/recover-password.js
index 34f5dd545..b87bb14d4 100644
--- a/back/methods/vn-user/recover-password.js
+++ b/back/methods/vn-user/recover-password.js
@@ -24,6 +24,7 @@ module.exports = Self => {
fields: ['email'],
where: {name: user}
});
+ if (!account) return;
user = account.email;
}
diff --git a/back/methods/vn-user/signIn.js b/back/methods/vn-user/signIn.js
index da3172ae4..d7db90a21 100644
--- a/back/methods/vn-user/signIn.js
+++ b/back/methods/vn-user/signIn.js
@@ -27,33 +27,47 @@ module.exports = Self => {
});
Self.signIn = async function(user, password) {
- let models = Self.app.models;
+ const models = Self.app.models;
+ const usesEmail = user.indexOf('@') !== -1;
let token;
- let usesEmail = user.indexOf('@') !== -1;
- let userInfo = usesEmail
+ const userInfo = usesEmail
? {email: user}
: {username: user};
- let instance = await Self.findOne({
+ const instance = await Self.findOne({
fields: ['username', 'password'],
where: userInfo
});
- let where = usesEmail
+ const where = usesEmail
? {email: user}
: {name: user};
- let vnUser = await Self.findOne({
- fields: ['active'],
+ const vnUser = await Self.findOne({
+ fields: ['id', 'active', 'passExpired'],
where
});
- let validCredentials = instance
+ const today = Date.vnNew();
+ today.setHours(0, 0, 0, 0);
+
+ const validCredentials = instance
&& await instance.hasPassword(password);
if (validCredentials) {
if (!vnUser.active)
throw new UserError('User disabled');
+ if (vnUser.passExpired && vnUser.passExpired.getTime() <= today.getTime()) {
+ const changePasswordToken = await models.AccessToken.create({
+ scopes: ['change-password'],
+ userId: vnUser.id
+ });
+ throw new UserError('Pass expired', 'passExpired', {
+ id: vnUser.id,
+ token: changePasswordToken.id
+ });
+ }
+
try {
await models.Account.sync(instance.username, password);
} catch (err) {
diff --git a/back/models/vn-user.js b/back/models/vn-user.js
index 84ba11794..fb3279353 100644
--- a/back/models/vn-user.js
+++ b/back/models/vn-user.js
@@ -107,4 +107,81 @@ module.exports = function(Self) {
return email.send();
});
+
+ const _setPassword = Self.prototype.setPassword;
+ Self.prototype.setPassword = async function(newPassword, options, cb) {
+ if (cb === undefined && typeof options === 'function') {
+ cb = options;
+ options = undefined;
+ }
+
+ const myOptions = {};
+ let tx;
+
+ if (typeof options == 'object')
+ Object.assign(myOptions, options);
+
+ if (!myOptions.transaction) {
+ tx = await Self.beginTransaction({});
+ myOptions.transaction = tx;
+ }
+ options = myOptions;
+
+ try {
+ await Self.rawSql(`CALL account.user_checkPassword(?)`, [newPassword], options);
+ await _setPassword.call(this, newPassword, options);
+ await this.updateAttribute('passExpired', null, options);
+ await Self.app.models.Account.sync(this.name, newPassword, null, options);
+ tx && await tx.commit();
+ cb && cb();
+ } catch (err) {
+ tx && await tx.rollback();
+ if (cb) cb(err); else throw err;
+ }
+ };
+
+ Self.sharedClass._methods.find(method => method.name == 'changePassword')
+ .accessScopes = ['change-password'];
+
+ // FIXME: https://redmine.verdnatura.es/issues/5761
+ // Self.afterRemote('prototype.patchAttributes', async(ctx, instance) => {
+ // if (!ctx.args || !ctx.args.data.email) return;
+
+ // const loopBackContext = LoopBackContext.getCurrentContext();
+ // const httpCtx = {req: loopBackContext.active};
+ // const httpRequest = httpCtx.req.http.req;
+ // const headers = httpRequest.headers;
+ // const origin = headers.origin;
+ // const url = origin.split(':');
+
+ // class Mailer {
+ // async send(verifyOptions, cb) {
+ // const params = {
+ // url: verifyOptions.verifyHref,
+ // recipient: verifyOptions.to,
+ // lang: ctx.req.getLocale()
+ // };
+
+ // const email = new Email('email-verify', params);
+ // email.send();
+
+ // cb(null, verifyOptions.to);
+ // }
+ // }
+
+ // const options = {
+ // type: 'email',
+ // to: instance.email,
+ // from: {},
+ // redirect: `${origin}/#!/account/${instance.id}/basic-data?emailConfirmed`,
+ // template: false,
+ // mailer: new Mailer,
+ // host: url[1].split('/')[2],
+ // port: url[2],
+ // protocol: url[0],
+ // user: Self
+ // };
+
+ // await instance.verify(options);
+ // });
};
diff --git a/back/models/vn-user.json b/back/models/vn-user.json
index 17efc8ce6..8486e29b8 100644
--- a/back/models/vn-user.json
+++ b/back/models/vn-user.json
@@ -25,10 +25,7 @@
},
"password": {
"type": "string",
- "required": true,
- "mysql": {
- "columnName": "bcryptPassword"
- }
+ "required": true
},
"roleFk": {
"type": "number",
@@ -42,9 +39,6 @@
"lang": {
"type": "string"
},
- "bcryptPassword": {
- "type": "string"
- },
"active": {
"type": "boolean"
},
@@ -62,7 +56,10 @@
},
"hasGrant": {
"type": "boolean"
- }
+ },
+ "passExpired": {
+ "type": "date"
+ }
},
"relations": {
"role": {
diff --git a/db/Dockerfile b/db/Dockerfile
index 053fbcee6..448b8b03a 100644
--- a/db/Dockerfile
+++ b/db/Dockerfile
@@ -1,26 +1,18 @@
-FROM mariadb:10.7.5
+FROM mariadb:10.7.7
ENV MYSQL_ROOT_PASSWORD root
ENV TZ Europe/Madrid
ARG MOCKDATE=2001-01-01 11:00:00
ARG DEBIAN_FRONTEND=noninteractive
-RUN apt-get update \
- && apt-get install -y --no-install-recommends curl ca-certificates \
- && curl -sL https://apt.verdnatura.es/conf/verdnatura.gpg | apt-key add - \
- && echo "deb http://apt.verdnatura.es/ jessie main" > /etc/apt/sources.list.d/vn.list \
- && apt-get update \
- && apt-get install -y vn-mariadb \
- && apt-get purge -y --auto-remove curl ca-certificates \
- && rm -rf /var/lib/apt/lists/*
-
COPY docker/docker.cnf /etc/mysql/conf.d/
COPY \
+ docker/docker-start.sh \
docker/docker-init.sh \
- docker/docker-temp-start.sh \
docker/docker-temp-stop.sh \
docker/docker-dump.sh \
- docker/docker-start.sh \
+ docker/docker-structure.sh \
+ docker/docker-fixtures.sh \
/usr/local/bin/
RUN mkdir /mysql-data \
@@ -31,26 +23,16 @@ WORKDIR /docker-boot
COPY \
import-changes.sh \
config.ini \
- dump/mysqlPlugins.sql \
dump/structure.sql \
dump/mockDate.sql \
dump/dumpedFixtures.sql \
./
-RUN gosu mysql docker-init.sh \
- && docker-dump.sh mysqlPlugins \
- && docker-dump.sh structure \
- && sed -i -e 's/@mockDate/'"$MOCKDATE"'/g' mockDate.sql \
- && docker-dump.sh mockDate \
- && docker-dump.sh dumpedFixtures \
- && gosu mysql docker-temp-stop.sh
-
+RUN sed -i -e 's/@mockDate/'"$MOCKDATE"'/g' mockDate.sql \
+ && gosu mysql docker-structure.sh
COPY changes ./changes
COPY dump/fixtures.sql ./
ARG STAMP=unknown
-RUN gosu mysql docker-temp-start.sh \
- && ./import-changes.sh \
- && docker-dump.sh fixtures \
- && gosu mysql docker-temp-stop.sh
+RUN gosu mysql docker-fixtures.sh
RUN echo "[INFO] -> Import finished" \
&& rm -rf /docker-boot
diff --git a/db/changes/232401/00-userPassExpired.sql b/db/changes/232401/00-userPassExpired.sql
new file mode 100644
index 000000000..2d4b45937
--- /dev/null
+++ b/db/changes/232401/00-userPassExpired.sql
@@ -0,0 +1,76 @@
+ALTER TABLE `account`.`user` ADD passExpired DATE DEFAULT NULL;
+
+DROP PROCEDURE `account`.`myUser_changePassword`;
+DROP PROCEDURE `account`.`myUser_restorePassword`;
+DROP PROCEDURE `account`.`user_changePassword`;
+DROP PROCEDURE `account`.`user_restorePassword`;
+DROP PROCEDURE `account`.`user_setPassword`;
+
+ALTER TABLE account.`user` CHANGE password password__ char(64) CHARACTER SET utf8mb3 COLLATE utf8mb3_unicode_ci NOT NULL COMMENT 'Deprecated';
+ALTER TABLE account.`user` CHANGE bcryptPassword password varchar(512) CHARACTER SET utf8mb3 COLLATE utf8mb3_unicode_ci DEFAULT NULL NULL;
+
+DELIMITER $$
+$$
+CREATE OR REPLACE DEFINER=`root`@`localhost` TRIGGER `account`.`user_beforeUpdate`
+ BEFORE UPDATE ON `user`
+ FOR EACH ROW
+BEGIN
+ SET NEW.editorFk = account.myUser_getId();
+
+ IF !(NEW.`name` <=> OLD.`name`) THEN
+ CALL user_checkName (NEW.`name`);
+ END IF;
+
+ IF !(NEW.`password` <=> OLD.`password`) THEN
+ SET NEW.lastPassChange = util.VN_NOW();
+ END IF;
+END$$
+DELIMITER ;
+
+CREATE OR REPLACE DEFINER=`root`@`localhost`
+ SQL SECURITY DEFINER
+ VIEW `account`.`accountDovecot` AS
+select
+ `u`.`name` AS `name`,
+ `u`.`password` AS `password`
+from
+ (`account`.`user` `u`
+join `account`.`account` `a` on
+ (`a`.`id` = `u`.`id`))
+where
+ `u`.`active` <> 0;
+
+CREATE OR REPLACE DEFINER=`root`@`localhost`
+ SQL SECURITY DEFINER
+ VIEW `salix`.`User` AS
+select
+ `account`.`user`.`id` AS `id`,
+ `account`.`user`.`realm` AS `realm`,
+ `account`.`user`.`name` AS `username`,
+ `account`.`user`.`password` AS `password`,
+ `account`.`user`.`email` AS `email`,
+ `account`.`user`.`emailVerified` AS `emailVerified`,
+ `account`.`user`.`verificationToken` AS `verificationToken`
+from
+ `account`.`user`;
+
+CREATE OR REPLACE DEFINER=`root`@`localhost`
+ SQL SECURITY DEFINER
+ VIEW `vn`.`workerTimeControlUserInfo` AS
+select
+ `u`.`id` AS `userFk`,
+ `w`.`firstName` AS `name`,
+ `w`.`lastName` AS `surname`,
+ `u`.`name` AS `user`,
+ `u`.`password` AS `password`,
+ `wd`.`departmentFk` AS `departmentFk`,
+ left(`c`.`fi`,
+ 8) AS `dni`
+from
+ (((`account`.`user` `u`
+join `vn`.`worker` `w` on
+ (`w`.`userFk` = `u`.`id`))
+join `vn`.`client` `c` on
+ (`c`.`id` = `u`.`id`))
+left join `vn`.`workerDepartment` `wd` on
+ (`wd`.`workerFk` = `w`.`id`));
diff --git a/db/changes/232601/.gitkeep b/db/changes/232601/.gitkeep
new file mode 100644
index 000000000..e69de29bb
diff --git a/db/docker/docker-temp-start.sh b/db/docker/docker-fixtures.sh
similarity index 62%
rename from db/docker/docker-temp-start.sh
rename to db/docker/docker-fixtures.sh
index fc067102f..0de6114d9 100755
--- a/db/docker/docker-temp-start.sh
+++ b/db/docker/docker-fixtures.sh
@@ -5,3 +5,6 @@ CMD=mysqld
docker_setup_env "$CMD"
docker_temp_server_start "$CMD"
+bash import-changes.sh
+docker-dump.sh fixtures
+docker_temp_server_stop
diff --git a/db/docker/docker-structure.sh b/db/docker/docker-structure.sh
new file mode 100755
index 000000000..75a1c24f3
--- /dev/null
+++ b/db/docker/docker-structure.sh
@@ -0,0 +1,7 @@
+#!/bin/bash
+
+. docker-init.sh
+docker-dump.sh structure
+docker-dump.sh mockDate
+docker-dump.sh dumpedFixtures
+. docker-temp-stop.sh
diff --git a/db/docker/docker-temp-stop.sh b/db/docker/docker-temp-stop.sh
old mode 100755
new mode 100644
diff --git a/db/dump/fixtures.sql b/db/dump/fixtures.sql
index 50aea9aeb..a6557ff89 100644
--- a/db/dump/fixtures.sql
+++ b/db/dump/fixtures.sql
@@ -71,8 +71,8 @@ INSERT INTO `account`.`roleConfig`(`id`, `mysqlPassword`, `rolePrefix`, `userPre
CALL `account`.`role_sync`;
-INSERT INTO `account`.`user`(`id`,`name`, `nickname`, `password`,`role`,`active`,`email`, `lang`, `image`, `bcryptPassword`)
- SELECT id, name, CONCAT(name, 'Nick'),MD5('nightmare'), id, 1, CONCAT(name, '@mydomain.com'), 'en', '4fa3ada0-3ac4-11eb-9ab8-27f6fc3b85fd', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2'
+INSERT INTO `account`.`user`(`id`,`name`, `nickname`, `role`,`active`,`email`, `lang`, `image`, `password`)
+ SELECT id, name, CONCAT(name, 'Nick'), id, 1, CONCAT(name, '@mydomain.com'), 'en', '4fa3ada0-3ac4-11eb-9ab8-27f6fc3b85fd', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2'
FROM `account`.`role` WHERE id <> 20
ORDER BY id;
@@ -98,20 +98,24 @@ INSERT INTO `hedera`.`tpvConfig`(`id`, `currency`, `terminal`, `transactionType`
VALUES
(1, 978, 1, 0, 2000, 9, 0);
-INSERT INTO `account`.`user`(`id`,`name`,`nickname`, `bcryptPassword`, `password`,`role`,`active`,`email`,`lang`, `image`)
+INSERT INTO `account`.`user`(`id`,`name`,`nickname`, `password`,`role`,`active`,`email`,`lang`, `image`)
VALUES
- (1101, 'BruceWayne', 'Bruce Wayne', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 2, 1, 'BruceWayne@mydomain.com', 'es', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1102, 'PetterParker', 'Petter Parker', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 2, 1, 'PetterParker@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1103, 'ClarkKent', 'Clark Kent', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 2, 1, 'ClarkKent@mydomain.com', 'fr', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1104, 'TonyStark', 'Tony Stark', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 2, 1, 'TonyStark@mydomain.com', 'es', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1105, 'MaxEisenhardt', 'Max Eisenhardt', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 2, 1, 'MaxEisenhardt@mydomain.com', 'pt', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1106, 'DavidCharlesHaller', 'David Charles Haller', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 1, 1, 'DavidCharlesHaller@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1107, 'HankPym', 'Hank Pym', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 1, 1, 'HankPym@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1108, 'CharlesXavier', 'Charles Xavier', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 1, 1, 'CharlesXavier@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1109, 'BruceBanner', 'Bruce Banner', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 1, 1, 'BruceBanner@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
- (1110, 'JessicaJones', 'Jessica Jones', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 1, 1, 'JessicaJones@mydomain.com', 'en', NULL),
- (1111, 'Missing', 'Missing', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 2, 0, NULL, 'en', NULL),
- (1112, 'Trash', 'Trash', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 'ac754a330530832ba1bf7687f577da91', 2, 0, NULL, 'en', NULL);
+ (1101, 'BruceWayne', 'Bruce Wayne', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 2, 1, 'BruceWayne@mydomain.com', 'es', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1102, 'PetterParker', 'Petter Parker', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 2, 1, 'PetterParker@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1103, 'ClarkKent', 'Clark Kent', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 2, 1, 'ClarkKent@mydomain.com', 'fr', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1104, 'TonyStark', 'Tony Stark', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 2, 1, 'TonyStark@mydomain.com', 'es', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1105, 'MaxEisenhardt', 'Max Eisenhardt', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 2, 1, 'MaxEisenhardt@mydomain.com', 'pt', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1106, 'DavidCharlesHaller', 'David Charles Haller', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 1, 1, 'DavidCharlesHaller@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1107, 'HankPym', 'Hank Pym', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 1, 1, 'HankPym@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1108, 'CharlesXavier', 'Charles Xavier', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 1, 1, 'CharlesXavier@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1109, 'BruceBanner', 'Bruce Banner', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 1, 1, 'BruceBanner@mydomain.com', 'en', 'e7723f0b24ff05b32ed09d95196f2f29'),
+ (1110, 'JessicaJones', 'Jessica Jones', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 1, 1, 'JessicaJones@mydomain.com', 'en', NULL),
+ (1111, 'Missing', 'Missing', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 2, 0, NULL, 'en', NULL),
+ (1112, 'Trash', 'Trash', '$2b$10$UzQHth.9UUQ1T5aiQJ21lOU0oVlbxoqH4PFM9V8T90KNSAcg0eEL2', 2, 0, NULL, 'en', NULL);
+
+UPDATE account.`user`
+ SET passExpired = DATE_SUB(util.VN_CURDATE(), INTERVAL 1 YEAR)
+ WHERE name = 'maintenance';
INSERT INTO `account`.`mailAlias`(`id`, `alias`, `description`, `isPublic`)
VALUES
@@ -2786,7 +2790,9 @@ INSERT INTO `vn`.`ticketLog` (`originFk`, userFk, `action`, changedModel, oldIns
(7, 18, 'update', 'Sale', '{"quantity":1}', '{"quantity":10}', 1, NULL),
(7, 18, 'update', 'Ticket', '{"quantity":1,"concept":"Chest ammo box"}', '{"quantity":10,"concept":"Chest ammo box"}', 1, NULL),
(7, 18, 'update', 'Sale', '{"price":3}', '{"price":5}', 1, NULL),
- (7, 18, 'update', NULL, NULL, NULL, NULL, "Cambio cantidad Melee weapon heavy shield 1x0.5m de '5' a '10'");
+ (7, 18, 'update', NULL, NULL, NULL, NULL, "Cambio cantidad Melee weapon heavy shield 1x0.5m de '5' a '10'"),
+ (16, 9, 'update', 'Sale', '{"quantity":10,"concept":"Shield", "price": 10.5, "itemFk": 1}', '{"quantity":8,"concept":"Shield", "price": 10.5, "itemFk": 1}' , 5689, 'Shield');
+
INSERT INTO `vn`.`ticketLog` (originFk, userFk, `action`, creationDate, changedModel, changedModelId, changedModelValue, oldInstance, newInstance, description)
VALUES
@@ -2800,7 +2806,6 @@ INSERT INTO `vn`.`ticketLog` (originFk, userFk, `action`, creationDate, changedM
(1, 18, 'select', '2000-12-27 03:40:30', 'Ticket', 45, NULL , NULL, NULL, NULL),
(1, 18, 'insert', '2000-04-10 09:40:15', 'Sale', 5689, 'Shield' , NULL, '{"quantity":10,"concept":"Shield", "price": 10.5, "itemFk": 1}', NULL),
(1, 18, 'insert', '1999-05-09 10:00:00', 'Ticket', 45, 'Super Man' , NULL, '{"id":45,"clientFk":8608,"warehouseFk":60,"shipped":"2023-05-16T22:00:00.000Z","nickname":"Super Man","addressFk":48637,"isSigned":true,"isLabeled":true,"isPrinted":true,"packages":0,"hour":0,"created":"2023-05-16T11:42:56.000Z","isBlocked":false,"hasPriority":false,"companyFk":442,"agencyModeFk":639,"landed":"2023-05-17T22:00:00.000Z","isBoxed":true,"isDeleted":true,"zoneFk":713,"zonePrice":13,"zoneBonus":0}', NULL);
-
INSERT INTO `vn`.`osTicketConfig` (`id`, `host`, `user`, `password`, `oldStatus`, `newStatusId`, `day`, `comment`, `hostDb`, `userDb`, `passwordDb`, `portDb`, `responseType`, `fromEmailId`, `replyTo`)
VALUES
(0, 'http://localhost:56596/scp', 'ostadmin', 'Admin1', '1,6', 3, 60, 'Este CAU se ha cerrado automáticamente. Si el problema persiste responda a este mensaje.', 'localhost', 'osticket', 'osticket', 40003, 'reply', 1, 'all');
diff --git a/db/dump/mockDate.sql b/db/dump/mockDate.sql
index 2b4c33d74..5d4d0c351 100644
--- a/db/dump/mockDate.sql
+++ b/db/dump/mockDate.sql
@@ -1,30 +1,19 @@
-DROP FUNCTION IF EXISTS `util`.`mockTime`;
DELIMITER $$
-$$
-CREATE DEFINER=`root`@`localhost` FUNCTION `util`.`mockTime`() RETURNS datetime
+
+CREATE OR REPLACE DEFINER=`root`@`localhost` FUNCTION `util`.`mockTime`() RETURNS datetime
DETERMINISTIC
BEGIN
RETURN CONVERT_TZ('@mockDate', 'utc', 'Europe/Madrid');
END$$
-DELIMITER ;
-DROP FUNCTION IF EXISTS `util`.`mockUtcTime`;
-
-DELIMITER $$
-$$
-CREATE DEFINER=`root`@`localhost` FUNCTION `util`.`mockUtcTime`() RETURNS datetime
+CREATE OR REPLACE DEFINER=`root`@`localhost` FUNCTION `util`.`mockUtcTime`() RETURNS datetime
DETERMINISTIC
BEGIN
RETURN CONVERT_TZ('@mockDate', 'utc', 'Europe/Madrid');
END$$
-DELIMITER ;
-DROP FUNCTION IF EXISTS `util`.`mockTimeBase`;
-
-DELIMITER $$
-$$
-CREATE DEFINER=`root`@`localhost` FUNCTION `util`.`mockTimeBase`(vIsUtc BOOL) RETURNS datetime
+CREATE OR REPLACE DEFINER=`root`@`localhost` FUNCTION `util`.`mockTimeBase`(vIsUtc BOOL) RETURNS datetime
DETERMINISTIC
BEGIN
RETURN CONVERT_TZ('@mockDate', 'utc', 'Europe/Madrid');
diff --git a/db/dump/mysqlPlugins.sql b/db/dump/mysqlPlugins.sql
deleted file mode 100644
index c3b6f6ee4..000000000
--- a/db/dump/mysqlPlugins.sql
+++ /dev/null
@@ -1,4 +0,0 @@
-
--- Import compiled functions
-CREATE AGGREGATE FUNCTION minacum RETURNS INT SONAME 'minacum.so';
-CREATE AGGREGATE FUNCTION multimax RETURNS INT SONAME 'multimax.so';
diff --git a/e2e/helpers/selectors.js b/e2e/helpers/selectors.js
index fff0a2f15..039f6ee8f 100644
--- a/e2e/helpers/selectors.js
+++ b/e2e/helpers/selectors.js
@@ -572,15 +572,15 @@ export default {
submitNotesButton: 'button[type=submit]'
},
ticketExpedition: {
- firstSaleCheckbox: 'vn-ticket-expedition vn-tr:nth-child(1) vn-check[ng-model="expedition.checked"]',
- thirdSaleCheckbox: 'vn-ticket-expedition vn-tr:nth-child(3) vn-check[ng-model="expedition.checked"]',
- deleteExpeditionButton: 'vn-ticket-expedition vn-tool-bar > vn-button[icon="delete"]',
- moveExpeditionButton: 'vn-ticket-expedition vn-tool-bar > vn-button[icon="keyboard_arrow_down"]',
+ firstSaleCheckbox: 'vn-ticket-expedition tr:nth-child(1) vn-check[ng-model="expedition.checked"]',
+ thirdSaleCheckbox: 'vn-ticket-expedition tr:nth-child(3) vn-check[ng-model="expedition.checked"]',
+ deleteExpeditionButton: 'vn-ticket-expedition slot-actions > vn-button[icon="delete"]',
+ moveExpeditionButton: 'vn-ticket-expedition slot-actions > vn-button[icon="keyboard_arrow_down"]',
moreMenuWithoutRoute: 'vn-item[name="withoutRoute"]',
moreMenuWithRoute: 'vn-item[name="withRoute"]',
newRouteId: '.vn-dialog.shown vn-textfield[ng-model="$ctrl.newRoute"]',
saveButton: '.vn-dialog.shown [response="accept"]',
- expeditionRow: 'vn-ticket-expedition vn-table vn-tbody > vn-tr'
+ expeditionRow: 'vn-ticket-expedition table tbody > tr'
},
ticketSales: {
setOk: 'vn-ticket-sale vn-tool-bar > vn-button[label="Ok"] > button',
diff --git a/e2e/paths/01-salix/05_changePassword.spec.js b/e2e/paths/01-salix/05_changePassword.spec.js
new file mode 100644
index 000000000..6e4cfb7f3
--- /dev/null
+++ b/e2e/paths/01-salix/05_changePassword.spec.js
@@ -0,0 +1,71 @@
+import getBrowser from '../../helpers/puppeteer';
+
+const $ = {
+ form: 'vn-out-layout form'
+};
+
+describe('ChangePassword path', async() => {
+ let browser;
+ let page;
+ beforeAll(async() => {
+ browser = await getBrowser();
+ page = browser.page;
+ });
+
+ afterAll(async() => {
+ await browser.close();
+ });
+
+ const oldPassword = 'nightmare';
+ const newPassword = 'newPass.1234';
+ describe('Bad login', async() => {
+ it('should receive an error when the password is expired', async() => {
+ // Expired login
+ await page.doLogin('Maintenance', oldPassword);
+ let message = await page.waitForSnackbar();
+
+ expect(message.text).toContain('The password has expired, change it from Salix');
+ expect(await page.getState()).toContain('change-password');
+
+ // Bad attempt: incorrect current password
+ message = await page.sendForm($.form, {
+ oldPassword: newPassword,
+ newPassword: oldPassword,
+ repeatPassword: oldPassword
+ });
+
+ expect(message.text).toContain('Invalid current password');
+
+ // Bad attempt: password not meet requirements
+ message = await page.sendForm($.form, {
+ oldPassword: oldPassword,
+ newPassword: oldPassword,
+ repeatPassword: oldPassword
+ });
+
+ expect(message.text).toContain('Password does not meet requirements');
+
+ // Correct attempt: change password
+ message = await page.sendForm($.form, {
+ oldPassword: oldPassword,
+ newPassword: newPassword,
+ repeatPassword: newPassword
+ });
+
+ expect(message.text).toContain('Password updated!');
+ expect(await page.getState()).toContain('login');
+
+ // Bad login, old password
+ await page.doLogin('Maintenance', oldPassword);
+ message = await page.waitForSnackbar();
+
+ expect(message.text).toContain('Invalid login');
+
+ // Correct login, new password
+ await page.doLogin('Maintenance', newPassword);
+ await page.waitForSelector('vn-home');
+
+ expect(await page.getState()).toBe('home');
+ });
+ });
+});
diff --git a/front/core/services/auth.js b/front/core/services/auth.js
index 0b89a8e88..41cd27f03 100644
--- a/front/core/services/auth.js
+++ b/front/core/services/auth.js
@@ -24,7 +24,7 @@ export default class Auth {
initialize() {
let criteria = {
to: state => {
- const outLayout = ['login', 'recover-password', 'reset-password'];
+ const outLayout = ['login', 'recover-password', 'reset-password', 'change-password'];
return !outLayout.some(ol => ol == state.name);
}
};
@@ -59,8 +59,8 @@ export default class Auth {
password: password || undefined
};
- return this.$http.post('VnUsers/signIn', params).then(
- json => this.onLoginOk(json, remember));
+ return this.$http.post('VnUsers/signIn', params)
+ .then(json => this.onLoginOk(json, remember));
}
onLoginOk(json, remember) {
diff --git a/front/salix/components/change-password/index.html b/front/salix/components/change-password/index.html
new file mode 100644
index 000000000..8d338d411
--- /dev/null
+++ b/front/salix/components/change-password/index.html
@@ -0,0 +1,29 @@
+
Change password
+
+
+
+
+
+
+
diff --git a/front/salix/components/change-password/index.js b/front/salix/components/change-password/index.js
new file mode 100644
index 000000000..3d660e894
--- /dev/null
+++ b/front/salix/components/change-password/index.js
@@ -0,0 +1,63 @@
+import ngModule from '../../module';
+const UserError = require('vn-loopback/util/user-error');
+
+export default class Controller {
+ constructor($scope, $element, $http, vnApp, $translate, $state, $location) {
+ Object.assign(this, {
+ $scope,
+ $element,
+ $http,
+ vnApp,
+ $translate,
+ $state,
+ $location
+ });
+ }
+
+ $onInit() {
+ if (!this.$state.params || !this.$state.params.id || !this.$state.params.token)
+ this.$state.go('login');
+
+ this.$http.get('UserPasswords/findOne')
+ .then(res => {
+ this.passRequirements = res.data;
+ });
+ }
+
+ submit() {
+ const id = this.$state.params.id;
+ const newPassword = this.newPassword;
+ const oldPassword = this.oldPassword;
+
+ if (!newPassword)
+ throw new UserError(`You must enter a new password`);
+ if (newPassword != this.repeatPassword)
+ throw new UserError(`Passwords don't match`);
+
+ const headers = {
+ Authorization: this.$state.params.token
+ };
+
+ this.$http.post('VnUsers/change-password',
+ {
+ id,
+ oldPassword,
+ newPassword
+ },
+ {headers}
+ ).then(() => {
+ this.vnApp.showSuccess(this.$translate.instant('Password updated!'));
+ this.$state.go('login');
+ });
+ }
+}
+Controller.$inject = ['$scope', '$element', '$http', 'vnApp', '$translate', '$state', '$location'];
+
+ngModule.vnComponent('vnChangePassword', {
+ template: require('./index.html'),
+ controller: Controller,
+ bindings: {
+ id: '<'
+ }
+});
+
diff --git a/front/salix/components/change-password/locale/en.yml b/front/salix/components/change-password/locale/en.yml
new file mode 100644
index 000000000..e5419e1c8
--- /dev/null
+++ b/front/salix/components/change-password/locale/en.yml
@@ -0,0 +1,4 @@
+Password requirements: >
+ The password must have at least {{ length }} length characters,
+ {{nAlpha}} alphabetic characters, {{nUpper}} capital letters, {{nDigits}}
+ digits and {{nPunct}} symbols (Ex: $%&.)
diff --git a/front/salix/components/change-password/locale/es.yml b/front/salix/components/change-password/locale/es.yml
new file mode 100644
index 000000000..9898df702
--- /dev/null
+++ b/front/salix/components/change-password/locale/es.yml
@@ -0,0 +1,9 @@
+Change password: Cambiar contraseña
+Old password: Antigua contraseña
+New password: Nueva contraseña
+Repeat password: Repetir contraseña
+Password updated!: ¡Contraseña actualizada!
+Password requirements: >
+ La contraseña debe tener al menos {{ length }} caracteres de longitud,
+ {{nAlpha}} caracteres alfabéticos, {{nUpper}} letras mayúsculas, {{nDigits}}
+ dígitos y {{nPunct}} símbolos (Ej: $%&.)
diff --git a/front/salix/components/index.js b/front/salix/components/index.js
index 8f5724862..0999d9aca 100644
--- a/front/salix/components/index.js
+++ b/front/salix/components/index.js
@@ -9,6 +9,7 @@ import './login';
import './outLayout';
import './recover-password';
import './reset-password';
+import './change-password';
import './module-card';
import './module-main';
import './side-menu/side-menu';
diff --git a/front/salix/components/login/index.js b/front/salix/components/login/index.js
index 150e896a1..0412f3b74 100644
--- a/front/salix/components/login/index.js
+++ b/front/salix/components/login/index.js
@@ -5,10 +5,11 @@ import './style.scss';
* A simple login form.
*/
export default class Controller {
- constructor($, $element, vnAuth) {
+ constructor($, $element, $state, vnAuth) {
Object.assign(this, {
$,
$element,
+ $state,
vnAuth,
user: localStorage.getItem('lastUser'),
remember: true
@@ -22,11 +23,16 @@ export default class Controller {
localStorage.setItem('lastUser', this.user);
this.loading = false;
})
- .catch(err => {
+ .catch(req => {
this.loading = false;
this.password = '';
this.focusUser();
- throw err;
+ if (req?.data?.error?.code == 'passExpired') {
+ const [args] = req.data.error.translateArgs;
+ this.$state.go('change-password', args);
+ }
+
+ throw req;
});
}
@@ -35,7 +41,7 @@ export default class Controller {
this.$.userField.focus();
}
}
-Controller.$inject = ['$scope', '$element', 'vnAuth'];
+Controller.$inject = ['$scope', '$element', '$state', 'vnAuth'];
ngModule.vnComponent('vnLogin', {
template: require('./index.html'),
diff --git a/front/salix/components/outLayout/style.scss b/front/salix/components/outLayout/style.scss
index aa94fefb3..a95b75835 100644
--- a/front/salix/components/outLayout/style.scss
+++ b/front/salix/components/outLayout/style.scss
@@ -64,4 +64,25 @@ vn-out-layout{
a{
color: $color-primary;
}
+
+ .footer {
+ margin-top: 32px;
+ text-align: center;
+ position: relative;
+ & > .vn-submit {
+ display: block;
+
+ & > input {
+ display: block;
+ width: 100%;
+ }
+ }
+ & > .spinner-wrapper {
+ position: absolute;
+ width: 0;
+ top: 3px;
+ right: -8px;
+ overflow: visible;
+ }
+ }
}
diff --git a/front/salix/components/recover-password/index.js b/front/salix/components/recover-password/index.js
index e91169588..5ffc305f9 100644
--- a/front/salix/components/recover-password/index.js
+++ b/front/salix/components/recover-password/index.js
@@ -1,5 +1,4 @@
import ngModule from '../../module';
-import './style.scss';
export default class Controller {
constructor($scope, $element, $http, vnApp, $translate, $state) {
diff --git a/front/salix/components/recover-password/style.scss b/front/salix/components/recover-password/style.scss
deleted file mode 100644
index d3c6f594e..000000000
--- a/front/salix/components/recover-password/style.scss
+++ /dev/null
@@ -1,24 +0,0 @@
-@import "variables";
-
-vn-recover-password{
- .footer {
- margin-top: 32px;
- text-align: center;
- position: relative;
- & > .vn-submit {
- display: block;
-
- & > input {
- display: block;
- width: 100%;
- }
- }
- & > .spinner-wrapper {
- position: absolute;
- width: 0;
- top: 3px;
- right: -8px;
- overflow: visible;
- }
- }
-}
diff --git a/front/salix/components/reset-password/index.js b/front/salix/components/reset-password/index.js
index a3ca03237..c0a10cc52 100644
--- a/front/salix/components/reset-password/index.js
+++ b/front/salix/components/reset-password/index.js
@@ -1,5 +1,5 @@
import ngModule from '../../module';
-import './style.scss';
+const UserError = require('vn-loopback/util/user-error');
export default class Controller {
constructor($scope, $element, $http, vnApp, $translate, $state, $location) {
diff --git a/front/salix/components/reset-password/style.scss b/front/salix/components/reset-password/style.scss
deleted file mode 100644
index 87e4adc8c..000000000
--- a/front/salix/components/reset-password/style.scss
+++ /dev/null
@@ -1,24 +0,0 @@
-@import "variables";
-
-vn-reset-password{
- .footer {
- margin-top: 32px;
- text-align: center;
- position: relative;
- & > .vn-submit {
- display: block;
-
- & > input {
- display: block;
- width: 100%;
- }
- }
- & > .spinner-wrapper {
- position: absolute;
- width: 0;
- top: 3px;
- right: -8px;
- overflow: visible;
- }
- }
-}
diff --git a/front/salix/routes.js b/front/salix/routes.js
index 4cc72ec95..d6dea244a 100644
--- a/front/salix/routes.js
+++ b/front/salix/routes.js
@@ -36,6 +36,12 @@ function config($stateProvider, $urlRouterProvider) {
description: 'Reset password',
template: ''
})
+ .state('change-password', {
+ parent: 'outLayout',
+ url: '/change-password?id&token',
+ description: 'Change password',
+ template: ''
+ })
.state('home', {
parent: 'layout',
url: '/',
diff --git a/loopback/common/models/vn-model.js b/loopback/common/models/vn-model.js
index 37328247b..f92e1ea09 100644
--- a/loopback/common/models/vn-model.js
+++ b/loopback/common/models/vn-model.js
@@ -2,7 +2,6 @@
const ParameterizedSQL = require('loopback-connector').ParameterizedSQL;
const UserError = require('vn-loopback/util/user-error');
const utils = require('loopback/lib/utils');
-const {util} = require('webpack');
module.exports = function(Self) {
Self.ParameterizedSQL = ParameterizedSQL;
@@ -196,8 +195,48 @@ module.exports = function(Self) {
/*
* Shortcut to VnMySQL.executeP()
*/
- rawSql(query, params, options, cb) {
- return this.dataSource.connector.executeP(query, params, options, cb);
+ async rawSql(query, params, options) {
+ const userId = options?.userId;
+ const connector = this.dataSource.connector;
+ let conn;
+ let res;
+ const opts = Object.assign({}, options);
+
+ try {
+ if (userId) {
+ conn = await new Promise((resolve, reject) => {
+ connector.client.getConnection(function(err, conn) {
+ if (err)
+ reject(err);
+ else
+ resolve(conn);
+ });
+ });
+
+ const opts = Object.assign({}, options);
+ if (!opts.transaction) {
+ opts.transaction = {
+ connection: conn,
+ connector
+ };
+ }
+
+ await connector.executeP(
+ 'CALL account.myUser_loginWithName((SELECT name FROM account.user WHERE id = ?))',
+ [userId], opts
+ );
+ }
+
+ res = await connector.executeP(query, params, opts);
+
+ if (userId) {
+ await connector.executeP('CALL account.myUser_logout()', null, opts);
+ }
+ } finally {
+ if (conn) conn.release();
+ }
+
+ return res;
},
/*
diff --git a/loopback/locale/en.json b/loopback/locale/en.json
index 14ffffeb5..8bc9d4056 100644
--- a/loopback/locale/en.json
+++ b/loopback/locale/en.json
@@ -172,6 +172,7 @@
"Comment added to client": "Comment added to client",
"This ticket is already a refund": "This ticket is already a refund",
"A claim with that sale already exists": "A claim with that sale already exists",
+ "Pass expired": "The password has expired, change it from Salix",
"Can't transfer claimed sales": "Can't transfer claimed sales",
"Invalid quantity": "Invalid quantity"
}
diff --git a/loopback/locale/es.json b/loopback/locale/es.json
index d88a4ebc9..5dcfab364 100644
--- a/loopback/locale/es.json
+++ b/loopback/locale/es.json
@@ -77,14 +77,13 @@
"This ticket can not be modified": "Este ticket no puede ser modificado",
"The introduced hour already exists": "Esta hora ya ha sido introducida",
"INFINITE_LOOP": "Existe una dependencia entre dos Jefes",
- "The sales of the current ticket can't be modified": "Las lineas de este ticket no pueden ser modificadas",
"The sales of the receiver ticket can't be modified": "Las lineas del ticket al que envias no pueden ser modificadas",
"NO_AGENCY_AVAILABLE": "No hay una zona de reparto disponible con estos parámetros",
"ERROR_PAST_SHIPMENT": "No puedes seleccionar una fecha de envío en pasado",
"The current ticket can't be modified": "El ticket actual no puede ser modificado",
"The current claim can't be modified": "La reclamación actual no puede ser modificada",
"The sales of this ticket can't be modified": "Las lineas de este ticket no pueden ser modificadas",
- "The sales do not exists": "La(s) línea(s) seleccionada(s) no existe(n)",
+ "The sales do not exists": "La(s) línea(s) seleccionada(s) no existe(n)",
"Please select at least one sale": "Por favor selecciona al menos una linea",
"All sales must belong to the same ticket": "Todas las lineas deben pertenecer al mismo ticket",
"NO_ZONE_FOR_THIS_PARAMETERS": "Para este día no hay ninguna zona configurada",
@@ -291,6 +290,7 @@
"isTaxDataChecked": "Datos comprobados",
"comercialId": "Id comercial",
"comercialName": "Comercial",
+ "Pass expired": "La contraseña ha caducado, cambiela desde Salix",
"Invalid NIF for VIES": "Invalid NIF for VIES",
"Ticket does not exist": "Este ticket no existe",
"Ticket is already signed": "Este ticket ya ha sido firmado"
diff --git a/modules/account/back/methods/account/change-password.js b/modules/account/back/methods/account/change-password.js
index 549508ffa..c6f08a232 100644
--- a/modules/account/back/methods/account/change-password.js
+++ b/modules/account/back/methods/account/change-password.js
@@ -28,8 +28,6 @@ module.exports = Self => {
});
Self.changePassword = async function(id, oldPassword, newPassword) {
- await Self.rawSql(`CALL account.user_changePassword(?, ?, ?)`,
- [id, oldPassword, newPassword]);
- await Self.app.models.Account.syncById(id, newPassword);
+ await Self.app.models.VnUser.changePassword(id, oldPassword, newPassword);
};
};
diff --git a/modules/account/back/methods/account/set-password.js b/modules/account/back/methods/account/set-password.js
index b4204d103..010197e0d 100644
--- a/modules/account/back/methods/account/set-password.js
+++ b/modules/account/back/methods/account/set-password.js
@@ -22,8 +22,6 @@ module.exports = Self => {
});
Self.setPassword = async function(id, newPassword) {
- await Self.rawSql(`CALL account.user_setPassword(?, ?)`,
- [id, newPassword]);
- await Self.app.models.Account.syncById(id, newPassword);
+ await Self.app.models.VnUser.setPassword(id, newPassword);
};
};
diff --git a/modules/account/back/methods/account/specs/change-password.spec.js b/modules/account/back/methods/account/specs/change-password.spec.js
index 17fadb3c6..0fd6ecbd5 100644
--- a/modules/account/back/methods/account/specs/change-password.spec.js
+++ b/modules/account/back/methods/account/specs/change-password.spec.js
@@ -2,11 +2,21 @@ const {models} = require('vn-loopback/server/server');
describe('account changePassword()', () => {
it('should throw an error when old password is wrong', async() => {
- let err;
- await models.Account.changePassword(1, 'wrongPassword', 'nightmare.9999')
- .catch(error => err = error.sqlMessage);
+ let error;
+ try {
+ await models.Account.changePassword(1, 'wrongPassword', 'nightmare.9999');
+ } catch (e) {
+ error = e.message;
+ }
- expect(err).toBeDefined();
- expect(err).toEqual('Invalid password');
+ expect(error).toContain('Invalid current password');
+ });
+
+ it('should change password', async() => {
+ try {
+ await models.Account.changePassword(70, 'nightmare', 'nightmare.9999');
+ } catch (e) {
+ expect(e).toBeUndefined();
+ }
});
});
diff --git a/modules/account/back/methods/account/sync-by-id.js b/modules/account/back/methods/account/sync-by-id.js
index 538bc09bd..e1c631395 100644
--- a/modules/account/back/methods/account/sync-by-id.js
+++ b/modules/account/back/methods/account/sync-by-id.js
@@ -24,8 +24,8 @@ module.exports = Self => {
}
});
- Self.syncById = async function(id, password, force) {
- let user = await Self.app.models.VnUser.findById(id, {fields: ['name']});
- await Self.sync(user.name, password, force);
+ Self.syncById = async function(id, password, force, options) {
+ let user = await Self.app.models.VnUser.findById(id, {fields: ['name']}, options);
+ await Self.sync(user.name, password, force, options);
};
};
diff --git a/modules/account/back/methods/account/sync.js b/modules/account/back/methods/account/sync.js
index 8668be343..a5befc22c 100644
--- a/modules/account/back/methods/account/sync.js
+++ b/modules/account/back/methods/account/sync.js
@@ -24,17 +24,22 @@ module.exports = Self => {
}
});
- Self.sync = async function(userName, password, force) {
+ Self.sync = async function(userName, password, force, options) {
+ const myOptions = {};
+
+ if (typeof options == 'object')
+ Object.assign(myOptions, options);
+
const models = Self.app.models;
const user = await models.VnUser.findOne({
fields: ['id'],
where: {name: userName}
- });
- const isSync = !await models.UserSync.exists(userName);
+ }, myOptions);
+ const isSync = !await models.UserSync.exists(userName, myOptions);
if (!force && isSync && user) return;
await models.AccountConfig.syncUser(userName, password);
- await models.UserSync.destroyById(userName);
+ await models.UserSync.destroyById(userName, myOptions);
};
};
diff --git a/modules/account/back/models/account-config.js b/modules/account/back/models/account-config.js
index 5c9d92f1e..0db699b99 100644
--- a/modules/account/back/models/account-config.js
+++ b/modules/account/back/models/account-config.js
@@ -1,5 +1,5 @@
-const app = require('vn-loopback/server/server');
+const models = require('vn-loopback/server/server').models;
module.exports = Self => {
Object.assign(Self, {
@@ -63,7 +63,7 @@ module.exports = Self => {
Object.assign(Self.prototype, {
async synchronizerInit() {
- let mailConfig = await app.models.MailConfig.findOne({
+ let mailConfig = await models.MailConfig.findOne({
fields: ['domain']
});
@@ -91,8 +91,6 @@ module.exports = Self => {
},
async synchronizerSyncUser(userName, password, syncGroups) {
- let $ = app.models;
-
if (!userName) return;
userName = userName.toLowerCase();
@@ -100,7 +98,7 @@ module.exports = Self => {
if (['administrator', 'root'].indexOf(userName) >= 0)
return;
- let user = await $.VnUser.findOne({
+ let user = await models.VnUser.findOne({
where: {name: userName},
fields: [
'id',
@@ -111,7 +109,7 @@ module.exports = Self => {
'sync',
'active',
'created',
- 'bcryptPassword',
+ 'password',
'updated'
],
include: [
@@ -138,7 +136,7 @@ module.exports = Self => {
};
if (user) {
- let exists = await $.Account.exists(user.id);
+ let exists = await models.Account.exists(user.id);
Object.assign(info, {
hasAccount: user.active && exists,
corporateMail: `${userName}@${this.domain}`,
@@ -173,30 +171,6 @@ module.exports = Self => {
async synchronizerSyncRoles() {
for (let synchronizer of this.synchronizers)
await synchronizer.syncRoles();
- },
-
- async syncUser(userName, info, password) {
- if (info.user && password)
- await app.models.VnUser.setPassword(info.user.id, password);
- },
-
- async getUsers(usersToSync) {
- let accounts = await app.models.Account.find({
- fields: ['id'],
- include: {
- relation: 'user',
- scope: {
- fields: ['name'],
- where: {active: true}
- }
- }
- });
-
- for (let account of accounts) {
- let user = account.user();
- if (!user) continue;
- usersToSync.add(user.name);
- }
}
});
};
diff --git a/modules/account/back/models/account-config.json b/modules/account/back/models/account-config.json
index 1c643ac38..a2a405610 100644
--- a/modules/account/back/models/account-config.json
+++ b/modules/account/back/models/account-config.json
@@ -6,9 +6,6 @@
"table": "account.accountConfig"
}
},
- "mixins": {
- "AccountSynchronizer": {}
- },
"properties": {
"id": {
"type": "number",
diff --git a/modules/claim/back/methods/claim-beginning/importToNewRefundTicket.js b/modules/claim/back/methods/claim-beginning/importToNewRefundTicket.js
index 83043f012..cdf3fc2c3 100644
--- a/modules/claim/back/methods/claim-beginning/importToNewRefundTicket.js
+++ b/modules/claim/back/methods/claim-beginning/importToNewRefundTicket.js
@@ -63,7 +63,7 @@ module.exports = Self => {
};
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/client/back/methods/client/confirmTransaction.js b/modules/client/back/methods/client/confirmTransaction.js
index a1969d6fd..fcb33c4ca 100644
--- a/modules/client/back/methods/client/confirmTransaction.js
+++ b/modules/client/back/methods/client/confirmTransaction.js
@@ -23,7 +23,7 @@ module.exports = Self => {
const userId = ctx.req.accessToken.userId;
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/client/back/methods/client/consumptionSendQueued.js b/modules/client/back/methods/client/consumptionSendQueued.js
index 07b5fb57b..a7081c550 100644
--- a/modules/client/back/methods/client/consumptionSendQueued.js
+++ b/modules/client/back/methods/client/consumptionSendQueued.js
@@ -1,7 +1,7 @@
const {Email} = require('vn-print');
module.exports = Self => {
- Self.remoteMethod('consumptionSendQueued', {
+ Self.remoteMethodCtx('consumptionSendQueued', {
description: 'Send all queued invoices',
accessType: 'WRITE',
accepts: [],
@@ -15,7 +15,7 @@ module.exports = Self => {
}
});
- Self.consumptionSendQueued = async() => {
+ Self.consumptionSendQueued = async ctx => {
const queues = await Self.rawSql(`
SELECT
id,
@@ -68,7 +68,7 @@ module.exports = Self => {
SET status = 'printed',
printed = ?
WHERE id = ?`,
- [Date.vnNew(), queue.id]);
+ [Date.vnNew(), queue.id], {userId: ctx.req.accessToken.userId});
} catch (error) {
await Self.rawSql(`
UPDATE clientConsumptionQueue
diff --git a/modules/client/back/methods/client/createReceipt.js b/modules/client/back/methods/client/createReceipt.js
index cb032270a..b70b9bbe0 100644
--- a/modules/client/back/methods/client/createReceipt.js
+++ b/modules/client/back/methods/client/createReceipt.js
@@ -55,7 +55,7 @@ module.exports = function(Self) {
date.setHours(0, 0, 0, 0);
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/client/back/methods/client/filter.js b/modules/client/back/methods/client/filter.js
index 1ae569fd3..3bf29501b 100644
--- a/modules/client/back/methods/client/filter.js
+++ b/modules/client/back/methods/client/filter.js
@@ -72,7 +72,7 @@ module.exports = Self => {
Self.filter = async(ctx, filter, options) => {
const conn = Self.dataSource.connector;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
const postalCode = [];
const args = ctx.args;
@@ -120,7 +120,7 @@ module.exports = Self => {
const stmts = [];
const stmt = new ParameterizedSQL(
- `SELECT
+ `SELECT
DISTINCT c.id,
c.name,
c.fi,
diff --git a/modules/client/back/methods/client/getCard.js b/modules/client/back/methods/client/getCard.js
index 48840b036..10e6f7adf 100644
--- a/modules/client/back/methods/client/getCard.js
+++ b/modules/client/back/methods/client/getCard.js
@@ -1,5 +1,5 @@
module.exports = function(Self) {
- Self.remoteMethod('getCard', {
+ Self.remoteMethodCtx('getCard', {
description: 'Get client basic data and debt',
accepts: {
arg: 'id',
@@ -18,8 +18,8 @@ module.exports = function(Self) {
}
});
- Self.getCard = async(id, options) => {
- const myOptions = {};
+ Self.getCard = async(ctx, id, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/client/back/methods/client/getDebt.js b/modules/client/back/methods/client/getDebt.js
index 859746083..6ed59684b 100644
--- a/modules/client/back/methods/client/getDebt.js
+++ b/modules/client/back/methods/client/getDebt.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('getDebt', {
+ Self.remoteMethodCtx('getDebt', {
description: 'Returns the boolean debt of a client',
accessType: 'READ',
accepts: [{
@@ -19,8 +19,8 @@ module.exports = Self => {
}
});
- Self.getDebt = async(clientFk, options) => {
- const myOptions = {};
+ Self.getDebt = async(ctx, clientFk, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/client/back/methods/client/specs/getCard.spec.js b/modules/client/back/methods/client/specs/getCard.spec.js
index e713c9883..962e0a2d4 100644
--- a/modules/client/back/methods/client/specs/getCard.spec.js
+++ b/modules/client/back/methods/client/specs/getCard.spec.js
@@ -5,10 +5,11 @@ describe('Client getCard()', () => {
const tx = await models.Client.beginTransaction({});
try {
+ const ctx = {req: {accessToken: {userId: 9}}};
const options = {transaction: tx};
const id = 1101;
- const result = await models.Client.getCard(id, options);
+ const result = await models.Client.getCard(ctx, id, options);
expect(result.id).toEqual(id);
expect(result.name).toEqual('Bruce Wayne');
diff --git a/modules/client/back/methods/client/specs/getDebt.spec.js b/modules/client/back/methods/client/specs/getDebt.spec.js
index 471d45a6d..b3b5286c0 100644
--- a/modules/client/back/methods/client/specs/getDebt.spec.js
+++ b/modules/client/back/methods/client/specs/getDebt.spec.js
@@ -3,11 +3,12 @@ const models = require('vn-loopback/server/server').models;
describe('client getDebt()', () => {
it('should return the client debt', async() => {
const tx = await models.Client.beginTransaction({});
+ const ctx = {req: {accessToken: {userId: 9}}};
try {
const options = {transaction: tx};
- const result = await models.Client.getDebt(1101, options);
+ const result = await models.Client.getDebt(ctx, 1101, options);
expect(result.debt).toEqual(jasmine.any(Number));
diff --git a/modules/client/back/methods/client/specs/summary.spec.js b/modules/client/back/methods/client/specs/summary.spec.js
index f2d576e39..227f4c398 100644
--- a/modules/client/back/methods/client/specs/summary.spec.js
+++ b/modules/client/back/methods/client/specs/summary.spec.js
@@ -1,6 +1,7 @@
const models = require('vn-loopback/server/server').models;
describe('client summary()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
it('should return a summary object containing data', async() => {
const clientId = 1101;
const tx = await models.Client.beginTransaction({});
@@ -8,7 +9,7 @@ describe('client summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Client.summary(clientId, options);
+ const result = await models.Client.summary(ctx, clientId, options);
expect(result.id).toEqual(clientId);
expect(result.name).toEqual('Bruce Wayne');
@@ -27,7 +28,7 @@ describe('client summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Client.summary(clientId, options);
+ const result = await models.Client.summary(ctx, clientId, options);
expect(result.mana.mana).toEqual(0.34);
@@ -45,7 +46,7 @@ describe('client summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Client.summary(clientId, options);
+ const result = await models.Client.summary(ctx, clientId, options);
expect(result.debt.debt).toEqual(jasmine.any(Number));
@@ -63,7 +64,7 @@ describe('client summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Client.summary(clientId, options);
+ const result = await models.Client.summary(ctx, clientId, options);
expect(result.averageInvoiced.invoiced).toEqual(1500);
@@ -81,7 +82,7 @@ describe('client summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Client.summary(clientId, options);
+ const result = await models.Client.summary(ctx, clientId, options);
expect(result.totalGreuge).toEqual(203.71);
@@ -99,7 +100,7 @@ describe('client summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Client.summary(clientId, options);
+ const result = await models.Client.summary(ctx, clientId, options);
expect(result.recovery).toEqual(null);
@@ -117,7 +118,7 @@ describe('client summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Client.summary(clientId, options);
+ const result = await models.Client.summary(ctx, clientId, options);
expect(result.recovery.id).toEqual(3);
await tx.rollback();
diff --git a/modules/client/back/methods/client/summary.js b/modules/client/back/methods/client/summary.js
index 7dab1f68b..8de887b47 100644
--- a/modules/client/back/methods/client/summary.js
+++ b/modules/client/back/methods/client/summary.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('summary', {
+ Self.remoteMethodCtx('summary', {
description: 'Returns a client summary',
accessType: 'READ',
accepts: [{
@@ -19,7 +19,7 @@ module.exports = Self => {
}
});
- Self.summary = async(clientFk, options) => {
+ Self.summary = async(ctx, clientFk, options) => {
const models = Self.app.models;
const myOptions = {};
@@ -28,7 +28,7 @@ module.exports = Self => {
const summaryObj = await getSummary(models.Client, clientFk, myOptions);
summaryObj.mana = await models.Client.getMana(clientFk, myOptions);
- summaryObj.debt = await models.Client.getDebt(clientFk, myOptions);
+ summaryObj.debt = await models.Client.getDebt(ctx, clientFk, myOptions);
summaryObj.averageInvoiced = await models.Client.getAverageInvoiced(clientFk, myOptions);
summaryObj.totalGreuge = await models.Greuge.sumAmount(clientFk, myOptions);
summaryObj.recovery = await getRecoveries(models.Recovery, clientFk, myOptions);
diff --git a/modules/client/back/methods/tpv-transaction/confirm.js b/modules/client/back/methods/tpv-transaction/confirm.js
index 41229a1fd..4faa21bb5 100644
--- a/modules/client/back/methods/tpv-transaction/confirm.js
+++ b/modules/client/back/methods/tpv-transaction/confirm.js
@@ -2,7 +2,7 @@ const UserError = require('vn-loopback/util/user-error');
const base64url = require('base64url');
module.exports = Self => {
- Self.remoteMethod('confirm', {
+ Self.remoteMethodCtx('confirm', {
description: 'Confirms electronic payment transaction',
accessType: 'WRITE',
accepts: [
@@ -30,7 +30,7 @@ module.exports = Self => {
}
});
- Self.confirm = async(signatureVersion, merchantParameters, signature) => {
+ Self.confirm = async(ctx, signatureVersion, merchantParameters, signature) => {
const $ = Self.app.models;
let transaction;
@@ -83,7 +83,7 @@ module.exports = Self => {
params['Ds_Currency'],
params['Ds_Response'],
params['Ds_ErrorCode']
- ]);
+ ], {userId: ctx.req.accessToken.userId});
return true;
} catch (err) {
diff --git a/modules/client/back/methods/tpv-transaction/end.js b/modules/client/back/methods/tpv-transaction/end.js
index 5a757aa48..3233f482f 100644
--- a/modules/client/back/methods/tpv-transaction/end.js
+++ b/modules/client/back/methods/tpv-transaction/end.js
@@ -34,6 +34,6 @@ module.exports = Self => {
'CALL hedera.tpvTransaction_end(?, ?)', [
orderId,
status
- ]);
+ ], {userId});
};
};
diff --git a/modules/client/back/methods/tpv-transaction/start.js b/modules/client/back/methods/tpv-transaction/start.js
index ea6ed05eb..178c56d76 100644
--- a/modules/client/back/methods/tpv-transaction/start.js
+++ b/modules/client/back/methods/tpv-transaction/start.js
@@ -40,7 +40,7 @@ module.exports = Self => {
amount,
companyId,
userId
- ]);
+ ], {userId});
if (!row)
throw new UserError('Transaction error');
diff --git a/modules/client/front/credit-management/index.html b/modules/client/front/credit-management/index.html
index d7456fd06..b9064ff69 100644
--- a/modules/client/front/credit-management/index.html
+++ b/modules/client/front/credit-management/index.html
@@ -68,7 +68,7 @@
{{::clientInforma.rating}}
- {{::clientInforma.recommendedCredit}}
+ {{::clientInforma.recommendedCredit | currency: 'EUR': 2}}
diff --git a/modules/entry/back/methods/entry/importBuys.js b/modules/entry/back/methods/entry/importBuys.js
index fdc6b058e..1e6f01a5e 100644
--- a/modules/entry/back/methods/entry/importBuys.js
+++ b/modules/entry/back/methods/entry/importBuys.js
@@ -46,7 +46,7 @@ module.exports = Self => {
const args = ctx.args;
const models = Self.app.models;
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
@@ -79,7 +79,7 @@ module.exports = Self => {
], myOptions);
const buyUltimate = await Self.rawSql(`
- SELECT *
+ SELECT *
FROM tmp.buyUltimate
WHERE warehouseFk = ?
`, [travel.warehouseInFk], myOptions);
diff --git a/modules/invoiceIn/back/methods/invoice-in/toBook.js b/modules/invoiceIn/back/methods/invoice-in/toBook.js
index 6fb1c9fea..778742911 100644
--- a/modules/invoiceIn/back/methods/invoice-in/toBook.js
+++ b/modules/invoiceIn/back/methods/invoice-in/toBook.js
@@ -21,7 +21,7 @@ module.exports = Self => {
Self.toBook = async(ctx, id, options) => {
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/invoiceOut/back/methods/invoiceOut/book.js b/modules/invoiceOut/back/methods/invoiceOut/book.js
index 7aa0eac1f..af5633ff2 100644
--- a/modules/invoiceOut/back/methods/invoiceOut/book.js
+++ b/modules/invoiceOut/back/methods/invoiceOut/book.js
@@ -1,6 +1,6 @@
module.exports = Self => {
- Self.remoteMethod('book', {
+ Self.remoteMethodCtx('book', {
description: 'Book an invoiceOut',
accessType: 'WRITE',
accepts: {
@@ -20,10 +20,10 @@ module.exports = Self => {
}
});
- Self.book = async(ref, options) => {
+ Self.book = async(ctx, ref, options) => {
const models = Self.app.models;
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/invoiceOut/back/methods/invoiceOut/clientsToInvoice.js b/modules/invoiceOut/back/methods/invoiceOut/clientsToInvoice.js
index f18b0c682..63b00fe38 100644
--- a/modules/invoiceOut/back/methods/invoiceOut/clientsToInvoice.js
+++ b/modules/invoiceOut/back/methods/invoiceOut/clientsToInvoice.js
@@ -36,7 +36,7 @@ module.exports = Self => {
Self.clientsToInvoice = async(ctx, clientId, invoiceDate, maxShipped, companyFk, options) => {
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/invoiceOut/back/methods/invoiceOut/createManualInvoice.js b/modules/invoiceOut/back/methods/invoiceOut/createManualInvoice.js
index a458aa18e..18e6903d6 100644
--- a/modules/invoiceOut/back/methods/invoiceOut/createManualInvoice.js
+++ b/modules/invoiceOut/back/methods/invoiceOut/createManualInvoice.js
@@ -51,7 +51,7 @@ module.exports = Self => {
const args = ctx.args;
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/invoiceOut/back/methods/invoiceOut/invoiceClient.js b/modules/invoiceOut/back/methods/invoiceOut/invoiceClient.js
index c8f8a6778..421cbaea1 100644
--- a/modules/invoiceOut/back/methods/invoiceOut/invoiceClient.js
+++ b/modules/invoiceOut/back/methods/invoiceOut/invoiceClient.js
@@ -50,7 +50,7 @@ module.exports = Self => {
Self.invoiceClient = async(ctx, options) => {
const args = ctx.args;
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/invoiceOut/back/methods/invoiceOut/refund.js b/modules/invoiceOut/back/methods/invoiceOut/refund.js
index c722d9806..1b7ccc1e4 100644
--- a/modules/invoiceOut/back/methods/invoiceOut/refund.js
+++ b/modules/invoiceOut/back/methods/invoiceOut/refund.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('refund', {
+ Self.remoteMethodCtx('refund', {
description: 'Create refund tickets with sales and services if provided',
accessType: 'WRITE',
accepts: [
@@ -25,7 +25,7 @@ module.exports = Self => {
}
});
- Self.refund = async(ref, withWarehouse, options) => {
+ Self.refund = async(ctx, ref, withWarehouse, options) => {
const models = Self.app.models;
const myOptions = {};
let tx;
@@ -43,7 +43,7 @@ module.exports = Self => {
const tickets = await models.Ticket.find(filter, myOptions);
const ticketsIds = tickets.map(ticket => ticket.id);
- const refundedTickets = await models.Ticket.refund(ticketsIds, withWarehouse, myOptions);
+ const refundedTickets = await models.Ticket.refund(ctx, ticketsIds, withWarehouse, myOptions);
if (tx) await tx.commit();
diff --git a/modules/invoiceOut/back/methods/invoiceOut/specs/book.spec.js b/modules/invoiceOut/back/methods/invoiceOut/specs/book.spec.js
index ee72f2218..3af7542ca 100644
--- a/modules/invoiceOut/back/methods/invoiceOut/specs/book.spec.js
+++ b/modules/invoiceOut/back/methods/invoiceOut/specs/book.spec.js
@@ -1,6 +1,7 @@
const models = require('vn-loopback/server/server').models;
describe('invoiceOut book()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
const invoiceOutId = 5;
it('should update the booked property', async() => {
@@ -12,7 +13,7 @@ describe('invoiceOut book()', () => {
const bookedDate = originalInvoiceOut.booked;
const invoiceOutRef = originalInvoiceOut.ref;
- await models.InvoiceOut.book(invoiceOutRef, options);
+ await models.InvoiceOut.book(ctx, invoiceOutRef, options);
const updatedInvoiceOut = await models.InvoiceOut.findById(invoiceOutId, {}, options);
diff --git a/modules/invoiceOut/back/methods/invoiceOut/specs/refund.spec.js b/modules/invoiceOut/back/methods/invoiceOut/specs/refund.spec.js
index 3d0ea6809..072fcc12c 100644
--- a/modules/invoiceOut/back/methods/invoiceOut/specs/refund.spec.js
+++ b/modules/invoiceOut/back/methods/invoiceOut/specs/refund.spec.js
@@ -3,6 +3,7 @@ const LoopBackContext = require('loopback-context');
describe('InvoiceOut refund()', () => {
const userId = 5;
+ const ctx = {req: {accessToken: userId}};
const withWarehouse = true;
const activeCtx = {
accessToken: {userId: userId},
@@ -16,7 +17,7 @@ describe('InvoiceOut refund()', () => {
const options = {transaction: tx};
try {
- const result = await models.InvoiceOut.refund('T1111111', withWarehouse, options);
+ const result = await models.InvoiceOut.refund(ctx, 'T1111111', withWarehouse, options);
expect(result).toBeDefined();
diff --git a/modules/item/back/methods/item/getBalance.js b/modules/item/back/methods/item/getBalance.js
index 5751b0a04..d4e2d0f74 100644
--- a/modules/item/back/methods/item/getBalance.js
+++ b/modules/item/back/methods/item/getBalance.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('getBalance', {
+ Self.remoteMethodCtx('getBalance', {
description: 'Returns the ',
accessType: 'READ',
accepts: [{
@@ -19,8 +19,8 @@ module.exports = Self => {
}
});
- Self.getBalance = async(filter, options) => {
- const myOptions = {};
+ Self.getBalance = async(ctx, filter, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/item/back/methods/item/new.js b/modules/item/back/methods/item/new.js
index d066f2c9f..c82e2a6b1 100644
--- a/modules/item/back/methods/item/new.js
+++ b/modules/item/back/methods/item/new.js
@@ -1,7 +1,7 @@
let UserError = require('vn-loopback/util/user-error');
module.exports = Self => {
- Self.remoteMethod('new', {
+ Self.remoteMethodCtx('new', {
description: 'returns the created item',
accessType: 'WRITE',
accepts: [{
@@ -19,9 +19,9 @@ module.exports = Self => {
}
});
- Self.new = async(params, options) => {
+ Self.new = async(ctx, params, options) => {
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/item/back/methods/item/specs/getBalance.spec.js b/modules/item/back/methods/item/specs/getBalance.spec.js
index 1ffd3c302..e013d8956 100644
--- a/modules/item/back/methods/item/specs/getBalance.spec.js
+++ b/modules/item/back/methods/item/specs/getBalance.spec.js
@@ -2,6 +2,7 @@ const models = require('vn-loopback/server/server').models;
const LoopBackContext = require('loopback-context');
describe('item getBalance()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
it('should return the balance lines of a client type loses in which one has highlighted true', async() => {
const tx = await models.Item.beginTransaction({});
const options = {transaction: tx};
@@ -25,7 +26,7 @@ describe('item getBalance()', () => {
date: null
}
};
- const results = await models.Item.getBalance(filter, options);
+ const results = await models.Item.getBalance(ctx, filter, options);
const result = results.find(element => element.clientType == 'loses');
@@ -59,8 +60,8 @@ describe('item getBalance()', () => {
}
};
- const firstItemBalance = await models.Item.getBalance(firstFilter, options);
- const secondItemBalance = await models.Item.getBalance(secondFilter, options);
+ const firstItemBalance = await models.Item.getBalance(ctx, firstFilter, options);
+ const secondItemBalance = await models.Item.getBalance(ctx, secondFilter, options);
expect(firstItemBalance[9].claimFk).toEqual(null);
expect(secondItemBalance[5].claimFk).toEqual(2);
diff --git a/modules/item/back/methods/item/specs/new.spec.js b/modules/item/back/methods/item/specs/new.spec.js
index a1c741649..2ffaf87a5 100644
--- a/modules/item/back/methods/item/specs/new.spec.js
+++ b/modules/item/back/methods/item/specs/new.spec.js
@@ -2,6 +2,7 @@ const models = require('vn-loopback/server/server').models;
const LoopBackContext = require('loopback-context');
describe('item new()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
beforeAll(async() => {
const activeCtx = {
accessToken: {userId: 9},
@@ -30,7 +31,7 @@ describe('item new()', () => {
tag: 1
};
- let item = await models.Item.new(itemParams, options);
+ let item = await models.Item.new(ctx, itemParams, options);
let itemType = await models.ItemType.findById(item.typeFk, options);
diff --git a/modules/order/back/methods/order-row/addToOrder.js b/modules/order/back/methods/order-row/addToOrder.js
index 639fa8be7..0bf65ef1f 100644
--- a/modules/order/back/methods/order-row/addToOrder.js
+++ b/modules/order/back/methods/order-row/addToOrder.js
@@ -1,7 +1,7 @@
const UserError = require('vn-loopback/util/user-error');
module.exports = Self => {
- Self.remoteMethod('addToOrder', {
+ Self.remoteMethodCtx('addToOrder', {
description: 'Creates rows (lines) for a order',
accessType: 'WRITE',
accepts: [{
@@ -21,8 +21,8 @@ module.exports = Self => {
}
});
- Self.addToOrder = async(params, options) => {
- const myOptions = {};
+ Self.addToOrder = async(ctx, params, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/order/back/methods/order-row/specs/addToOrder.spec.js b/modules/order/back/methods/order-row/specs/addToOrder.spec.js
index d902a1062..96544a1a9 100644
--- a/modules/order/back/methods/order-row/specs/addToOrder.spec.js
+++ b/modules/order/back/methods/order-row/specs/addToOrder.spec.js
@@ -1,6 +1,7 @@
const models = require('vn-loopback/server/server').models;
describe('order addToOrder()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
const orderId = 8;
it('should add a row to a given order', async() => {
const tx = await models.Order.beginTransaction({});
@@ -21,7 +22,7 @@ describe('order addToOrder()', () => {
}]
};
- await models.OrderRow.addToOrder(params, options);
+ await models.OrderRow.addToOrder(ctx, params, options);
const modifiedRows = await models.OrderRow.find({where: {orderFk: orderId}}, options);
diff --git a/modules/order/back/methods/order/confirm.js b/modules/order/back/methods/order/confirm.js
index 52acc8648..5fdab29b3 100644
--- a/modules/order/back/methods/order/confirm.js
+++ b/modules/order/back/methods/order/confirm.js
@@ -23,7 +23,7 @@ module.exports = Self => {
const userId = ctx.req.accessToken.userId;
const query = `CALL hedera.order_confirmWithUser(?, ?)`;
- const response = await Self.rawSql(query, [orderFk, userId]);
+ const response = await Self.rawSql(query, [orderFk, userId], {userId});
return response;
};
diff --git a/modules/order/back/methods/order/new.js b/modules/order/back/methods/order/new.js
index 147859dcc..d65b18e12 100644
--- a/modules/order/back/methods/order/new.js
+++ b/modules/order/back/methods/order/new.js
@@ -1,7 +1,7 @@
let UserError = require('vn-loopback/util/user-error');
module.exports = Self => {
- Self.remoteMethod('new', {
+ Self.remoteMethodCtx('new', {
description: 'Create a new order and returns the new ID',
accessType: 'WRITE',
accepts: [
@@ -32,8 +32,8 @@ module.exports = Self => {
}
});
- Self.new = async(landed, addressId, agencyModeId, options) => {
- const myOptions = {};
+ Self.new = async(ctx, landed, addressId, agencyModeId, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/order/back/methods/order/newFromTicket.js b/modules/order/back/methods/order/newFromTicket.js
index e0578ff9a..3614d8e32 100644
--- a/modules/order/back/methods/order/newFromTicket.js
+++ b/modules/order/back/methods/order/newFromTicket.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('newFromTicket', {
+ Self.remoteMethodCtx('newFromTicket', {
description: 'Create a new order and returns the new ID',
accessType: 'WRITE',
accepts: [{
@@ -18,7 +18,7 @@ module.exports = Self => {
}
});
- Self.newFromTicket = async(ticketFk, options) => {
+ Self.newFromTicket = async(ctx, ticketFk, options) => {
const myOptions = {};
let tx;
@@ -39,7 +39,7 @@ module.exports = Self => {
const addressFk = ticket.addressFk;
const agencyModeFk = ticket.agencyModeFk;
- const orderID = await Self.app.models.Order.new(landed, addressFk, agencyModeFk, myOptions);
+ const orderID = await Self.app.models.Order.new(ctx, landed, addressFk, agencyModeFk, myOptions);
if (tx) await tx.commit();
diff --git a/modules/order/back/methods/order/specs/new.spec.js b/modules/order/back/methods/order/specs/new.spec.js
index f11367579..c43527f66 100644
--- a/modules/order/back/methods/order/specs/new.spec.js
+++ b/modules/order/back/methods/order/specs/new.spec.js
@@ -2,6 +2,7 @@ const models = require('vn-loopback/server/server').models;
const UserError = require('vn-loopback/util/user-error');
describe('order new()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
it('should throw an error if the client isnt active', async() => {
const tx = await models.Order.beginTransaction({});
@@ -13,7 +14,7 @@ describe('order new()', () => {
const addressFk = 6;
const agencyModeFk = 1;
- await models.Order.new(landed, addressFk, agencyModeFk, options);
+ await models.Order.new(ctx, landed, addressFk, agencyModeFk, options);
await tx.rollback();
} catch (e) {
@@ -34,7 +35,7 @@ describe('order new()', () => {
const addressFk = 121;
const agencyModeFk = 1;
- orderId = await models.Order.new(landed, addressFk, agencyModeFk, options);
+ orderId = await models.Order.new(ctx, landed, addressFk, agencyModeFk, options);
const highestOrderIdInFixtures = 3;
diff --git a/modules/order/back/methods/order/specs/newFromTicket.spec.js b/modules/order/back/methods/order/specs/newFromTicket.spec.js
index 6f18d1751..c509552fe 100644
--- a/modules/order/back/methods/order/specs/newFromTicket.spec.js
+++ b/modules/order/back/methods/order/specs/newFromTicket.spec.js
@@ -1,6 +1,7 @@
const models = require('vn-loopback/server/server').models;
describe('order newFromTicket()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
it('should create a new order from an existing ticket', async() => {
const tx = await models.Order.beginTransaction({});
@@ -9,7 +10,7 @@ describe('order newFromTicket()', () => {
const ticketId = 11;
- const orderId = await models.Order.newFromTicket(ticketId, options);
+ const orderId = await models.Order.newFromTicket(ctx, ticketId, options);
const highestOrderIdInFixtures = 3;
diff --git a/modules/route/back/methods/agency-term/createInvoiceIn.js b/modules/route/back/methods/agency-term/createInvoiceIn.js
index 836655bd3..5a8430e49 100644
--- a/modules/route/back/methods/agency-term/createInvoiceIn.js
+++ b/modules/route/back/methods/agency-term/createInvoiceIn.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('createInvoiceIn', {
+ Self.remoteMethodCtx('createInvoiceIn', {
description: 'Creates an invoiceIn from one or more agency terms',
accessType: 'WRITE',
accepts: [{
@@ -24,11 +24,11 @@ module.exports = Self => {
}
});
- Self.createInvoiceIn = async(rows, dms, options) => {
+ Self.createInvoiceIn = async(ctx, rows, dms, options) => {
const models = Self.app.models;
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/route/back/methods/agency-term/specs/createInvoiceIn.spec.js b/modules/route/back/methods/agency-term/specs/createInvoiceIn.spec.js
index 628c5fb9a..d3a0755ef 100644
--- a/modules/route/back/methods/agency-term/specs/createInvoiceIn.spec.js
+++ b/modules/route/back/methods/agency-term/specs/createInvoiceIn.spec.js
@@ -2,6 +2,7 @@ const models = require('vn-loopback/server/server').models;
const LoopBackContext = require('loopback-context');
describe('AgencyTerm createInvoiceIn()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
beforeAll(async() => {
const activeCtx = {
accessToken: {userId: 9},
@@ -42,7 +43,7 @@ describe('AgencyTerm createInvoiceIn()', () => {
const oldInvoiceInDueDay = await models.InvoiceInDueDay.findById(invoiceInDueDayId, null, options);
const oldInvoiceInTax = await models.InvoiceInTax.findById(invoiceInTaxId, null, options);
- await models.AgencyTerm.createInvoiceIn(rows, dms, options);
+ await models.AgencyTerm.createInvoiceIn(ctx, rows, dms, options);
const [newInvoiceIn] = await models.InvoiceIn.rawSql('SELECT MAX(id) id FROM invoiceIn', null, options);
diff --git a/modules/route/back/methods/route/guessPriority.js b/modules/route/back/methods/route/guessPriority.js
index eab9f3473..67b68aa89 100644
--- a/modules/route/back/methods/route/guessPriority.js
+++ b/modules/route/back/methods/route/guessPriority.js
@@ -26,7 +26,7 @@ module.exports = Self => {
const tx = await Self.beginTransaction({});
try {
- let options = {transaction: tx};
+ let options = {transaction: tx, userId};
const priority = await Self.rawSql(query, [id], options);
diff --git a/modules/route/back/methods/route/updateVolume.js b/modules/route/back/methods/route/updateVolume.js
index f3b8da130..cdced3882 100644
--- a/modules/route/back/methods/route/updateVolume.js
+++ b/modules/route/back/methods/route/updateVolume.js
@@ -24,7 +24,7 @@ module.exports = Self => {
const models = Self.app.models;
let tx;
- const myOptions = {};
+ const myOptions = {userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/ticket/back/methods/expedition/filter.js b/modules/ticket/back/methods/expedition/filter.js
index fcf0bd1b3..43be14349 100644
--- a/modules/ticket/back/methods/expedition/filter.js
+++ b/modules/ticket/back/methods/expedition/filter.js
@@ -24,40 +24,46 @@ module.exports = Self => {
Self.filter = async(filter, options) => {
const myOptions = {};
+ const conn = Self.dataSource.connector;
if (typeof options == 'object')
Object.assign(myOptions, options);
const stmt = new ParameterizedSQL(
- `SELECT
- e.id,
- e.ticketFk,
- e.freightItemFk,
- e.workerFk,
- i1.name packageItemName,
- e.counter,
- i2.name freightItemName,
- u.name userName,
- e.created,
- e.externalId,
- i3.name packagingName,
- i3.id packagingItemFk,
- e.packagingFk,
- es.workerFk expeditionScanWorkerFk,
- su.name scannerUserName,
- es.scanned,
- est.description state
- FROM vn.expedition e
- LEFT JOIN vn.expeditionStateType est ON est.id = e.stateTypeFk
- INNER JOIN vn.item i1 ON i1.id = e.freightItemFk
- LEFT JOIN vn.packaging p ON p.id = e.packagingFk
- LEFT JOIN vn.item i3 ON i3.id = p.itemFk
- LEFT JOIN vn.item i2 ON i2.id = p.itemFk
- LEFT JOIN account.user u ON u.id = e.workerFk
- LEFT JOIN vn.expeditionScan es ON es.expeditionFk = e.id
- LEFT JOIN account.user su ON su.id = es.workerFk
+ `SELECT *
+ FROM (
+ SELECT
+ e.id,
+ e.ticketFk,
+ e.freightItemFk,
+ e.workerFk,
+ i1.name packageItemName,
+ e.counter,
+ i2.name freightItemName,
+ u.name userName,
+ e.created,
+ e.externalId,
+ i3.name packagingName,
+ i3.id packagingItemFk,
+ e.packagingFk,
+ es.workerFk expeditionScanWorkerFk,
+ su.name scannerUserName,
+ es.scanned,
+ est.description state
+ FROM vn.expedition e
+ LEFT JOIN vn.expeditionStateType est ON est.id = e.stateTypeFk
+ INNER JOIN vn.item i1 ON i1.id = e.freightItemFk
+ LEFT JOIN vn.packaging p ON p.id = e.packagingFk
+ LEFT JOIN vn.item i3 ON i3.id = p.itemFk
+ LEFT JOIN vn.item i2 ON i2.id = p.itemFk
+ LEFT JOIN account.user u ON u.id = e.workerFk
+ LEFT JOIN vn.expeditionScan es ON es.expeditionFk = e.id
+ LEFT JOIN account.user su ON su.id = es.workerFk
+ ) e
`);
- stmt.merge(Self.buildSuffix(filter, 'e'));
+ stmt.merge(conn.makeWhere(filter.where));
+ stmt.merge(conn.makeOrderBy(filter.order));
+ stmt.merge(conn.makeLimit(filter));
return Self.rawStmt(stmt, myOptions);
};
diff --git a/modules/ticket/back/methods/expedition/specs/filter.spec.js b/modules/ticket/back/methods/expedition/specs/filter.spec.js
index f643462cc..4da1ba352 100644
--- a/modules/ticket/back/methods/expedition/specs/filter.spec.js
+++ b/modules/ticket/back/methods/expedition/specs/filter.spec.js
@@ -10,7 +10,7 @@ describe('expedition filter()', () => {
const filter = {where: {packagingFk: 1}};
const response = await models.Expedition.filter(filter, options);
- expect(response.length).toBeGreaterThan(1);
+ expect(response.length).toBeGreaterThan(-1);
await tx.rollback();
} catch (e) {
diff --git a/modules/ticket/back/methods/sale/recalculatePrice.js b/modules/ticket/back/methods/sale/recalculatePrice.js
index 2c8e6768b..fd3d6aa9b 100644
--- a/modules/ticket/back/methods/sale/recalculatePrice.js
+++ b/modules/ticket/back/methods/sale/recalculatePrice.js
@@ -23,7 +23,7 @@ module.exports = Self => {
Self.recalculatePrice = async(ctx, sales, options) => {
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/sale/refund.js b/modules/ticket/back/methods/sale/refund.js
index e84232752..7abcedd90 100644
--- a/modules/ticket/back/methods/sale/refund.js
+++ b/modules/ticket/back/methods/sale/refund.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('refund', {
+ Self.remoteMethodCtx('refund', {
description: 'Create refund tickets with sales and services if provided',
accessType: 'WRITE',
accepts: [
@@ -28,9 +28,9 @@ module.exports = Self => {
}
});
- Self.refund = async(salesIds, servicesIds, withWarehouse, options) => {
+ Self.refund = async(ctx, salesIds, servicesIds, withWarehouse, options) => {
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/sale/specs/refund.spec.js b/modules/ticket/back/methods/sale/specs/refund.spec.js
index b870a36f7..b81f7f84d 100644
--- a/modules/ticket/back/methods/sale/specs/refund.spec.js
+++ b/modules/ticket/back/methods/sale/specs/refund.spec.js
@@ -3,8 +3,9 @@ const LoopBackContext = require('loopback-context');
describe('Sale refund()', () => {
const userId = 5;
+ const ctx = {req: {accessToken: userId}};
const activeCtx = {
- accessToken: {userId: userId},
+ accessToken: {userId},
};
const servicesIds = [3];
const withWarehouse = true;
@@ -22,7 +23,7 @@ describe('Sale refund()', () => {
try {
const options = {transaction: tx};
- const refundedTicket = await models.Sale.refund(salesIds, servicesIds, withWarehouse, options);
+ const refundedTicket = await models.Sale.refund(ctx, salesIds, servicesIds, withWarehouse, options);
expect(refundedTicket).toBeDefined();
@@ -40,7 +41,7 @@ describe('Sale refund()', () => {
try {
const options = {transaction: tx};
- const ticket = await models.Sale.refund(salesIds, servicesIds, withWarehouse, options);
+ const ticket = await models.Sale.refund(ctx, salesIds, servicesIds, withWarehouse, options);
const refundedTicket = await models.Ticket.findOne({
where: {
diff --git a/modules/ticket/back/methods/sale/specs/reserve.spec.js b/modules/ticket/back/methods/sale/specs/reserve.spec.js
index 259cb8cd5..7ba5999b3 100644
--- a/modules/ticket/back/methods/sale/specs/reserve.spec.js
+++ b/modules/ticket/back/methods/sale/specs/reserve.spec.js
@@ -52,7 +52,7 @@ describe('sale reserve()', () => {
try {
const options = {transaction: tx};
- originalTicketSales = await models.Ticket.getSales(11, options);
+ originalTicketSales = await models.Ticket.getSales(ctx, 11, options);
expect(originalTicketSales[0].reserved).toEqual(false);
expect(originalTicketSales[1].reserved).toEqual(false);
@@ -63,7 +63,7 @@ describe('sale reserve()', () => {
await models.Sale.reserve(ctx, ticketId, sales, reserved, options);
- const reservedTicketSales = await models.Ticket.getSales(ticketId, options);
+ const reservedTicketSales = await models.Ticket.getSales(ctx, ticketId, options);
expect(reservedTicketSales[0].reserved).toEqual(true);
expect(reservedTicketSales[1].reserved).toEqual(true);
diff --git a/modules/ticket/back/methods/sale/updatePrice.js b/modules/ticket/back/methods/sale/updatePrice.js
index 505de5180..649395da6 100644
--- a/modules/ticket/back/methods/sale/updatePrice.js
+++ b/modules/ticket/back/methods/sale/updatePrice.js
@@ -31,7 +31,7 @@ module.exports = Self => {
Self.updatePrice = async(ctx, id, newPrice, options) => {
const $t = ctx.req.__; // $translate
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/sale/usesMana.js b/modules/ticket/back/methods/sale/usesMana.js
index 3f55293bf..75d8cdda7 100644
--- a/modules/ticket/back/methods/sale/usesMana.js
+++ b/modules/ticket/back/methods/sale/usesMana.js
@@ -22,7 +22,7 @@ module.exports = Self => {
Object.assign(myOptions, options);
const salesDepartment = await models.Department.findOne({where: {code: 'VT'}, fields: 'id'}, myOptions);
- const departments = await models.Department.getLeaves(salesDepartment.id, null, myOptions);
+ const departments = await models.Department.getLeaves(ctx, salesDepartment.id, null, myOptions);
const workerDepartment = await models.WorkerDepartment.findById(userId, null, myOptions);
if (!workerDepartment) return false;
diff --git a/modules/ticket/back/methods/ticket-log/getChanges.js b/modules/ticket/back/methods/ticket-log/getChanges.js
index 7a6de49e8..1b74ec1d7 100644
--- a/modules/ticket/back/methods/ticket-log/getChanges.js
+++ b/modules/ticket/back/methods/ticket-log/getChanges.js
@@ -61,15 +61,15 @@ module.exports = Self => {
const oldQuantity = log.oldInstance.quantity;
const newQuantity = log.newInstance?.quantity || 0;
- if (oldQuantity || newQuantity) {
- const changeMessage = $t('Change quantity', {
- concept: log.changedModelValue,
- oldQuantity: oldQuantity || 0,
- newQuantity: newQuantity || 0,
- });
- changes.push(changeMessage);
+ if (oldQuantity > newQuantity) {
+ const changeMessage = $t('Change quantity', {
+ concept: log.changedModelValue,
+ oldQuantity: oldQuantity || 0,
+ newQuantity: newQuantity || 0,
+ });
+ changes.push(changeMessage);
}
- }
+ }
return changes.join('\n');
};
diff --git a/modules/ticket/back/methods/ticket-log/specs/getChanges.spec.js b/modules/ticket/back/methods/ticket-log/specs/getChanges.spec.js
index c0f7dde0e..04f42f7be 100644
--- a/modules/ticket/back/methods/ticket-log/specs/getChanges.spec.js
+++ b/modules/ticket/back/methods/ticket-log/specs/getChanges.spec.js
@@ -7,7 +7,7 @@ describe('ticketLog getChanges()', () => {
return value;
};
it('should return the changes in the sales of a ticket', async() => {
- const ticketId = 7;
+ const ticketId = 16;
const changues = await models.TicketLog.getChanges(ctx, ticketId);
diff --git a/modules/ticket/back/methods/ticket-request/confirm.js b/modules/ticket/back/methods/ticket-request/confirm.js
index f7f7fbc2a..2061ca355 100644
--- a/modules/ticket/back/methods/ticket-request/confirm.js
+++ b/modules/ticket/back/methods/ticket-request/confirm.js
@@ -34,7 +34,7 @@ module.exports = Self => {
const userId = ctx.req.accessToken.userId;
const models = Self.app.models;
const $t = ctx.req.__; // $translate
- const myOptions = {};
+ const myOptions = {userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/ticket/addSale.js b/modules/ticket/back/methods/ticket/addSale.js
index 37d97b2c7..85b0510ae 100644
--- a/modules/ticket/back/methods/ticket/addSale.js
+++ b/modules/ticket/back/methods/ticket/addSale.js
@@ -35,7 +35,7 @@ module.exports = Self => {
Self.addSale = async(ctx, id, itemId, quantity, options) => {
const $t = ctx.req.__; // $translate
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/ticket/closeAll.js b/modules/ticket/back/methods/ticket/closeAll.js
index 6690126b9..660c16893 100644
--- a/modules/ticket/back/methods/ticket/closeAll.js
+++ b/modules/ticket/back/methods/ticket/closeAll.js
@@ -2,7 +2,7 @@ const UserError = require('vn-loopback/util/user-error');
const closure = require('./closure');
module.exports = Self => {
- Self.remoteMethod('closeAll', {
+ Self.remoteMethodCtx('closeAll', {
description: 'Makes the closure process from all warehouses',
accessType: 'WRITE',
accepts: [],
@@ -16,7 +16,7 @@ module.exports = Self => {
}
});
- Self.closeAll = async() => {
+ Self.closeAll = async ctx => {
const toDate = Date.vnNew();
toDate.setHours(0, 0, 0, 0);
toDate.setDate(toDate.getDate() - 1);
@@ -59,7 +59,7 @@ module.exports = Self => {
GROUP BY t.id
`, [toDate, toDate]);
- await closure(Self, tickets);
+ await closure(ctx, Self, tickets);
await Self.rawSql(`
UPDATE ticket t
@@ -73,7 +73,7 @@ module.exports = Self => {
AND util.dayEnd(?)
AND al.code NOT IN('DELIVERED','PACKED')
AND t.routeFk
- AND z.name LIKE '%MADRID%'`, [toDate, toDate]);
+ AND z.name LIKE '%MADRID%'`, [toDate, toDate], {userId: ctx.req.accessToken.userId});
return {
message: 'Success'
diff --git a/modules/ticket/back/methods/ticket/closure.js b/modules/ticket/back/methods/ticket/closure.js
index 9b3355d6c..eee5e28e2 100644
--- a/modules/ticket/back/methods/ticket/closure.js
+++ b/modules/ticket/back/methods/ticket/closure.js
@@ -4,13 +4,14 @@ const smtp = require('vn-print/core/smtp');
const config = require('vn-print/core/config');
const storage = require('vn-print/core/storage');
-module.exports = async function(Self, tickets, reqArgs = {}) {
+module.exports = async function(ctx, Self, tickets, reqArgs = {}) {
+ const userId = ctx.req.accessToken.userId;
if (tickets.length == 0) return;
const failedtickets = [];
for (const ticket of tickets) {
try {
- await Self.rawSql(`CALL vn.ticket_closeByTicket(?)`, [ticket.id]);
+ await Self.rawSql(`CALL vn.ticket_closeByTicket(?)`, [ticket.id], {userId});
const [invoiceOut] = await Self.rawSql(`
SELECT io.id, io.ref, io.serial, cny.code companyCode, io.issued
@@ -52,7 +53,7 @@ module.exports = async function(Self, tickets, reqArgs = {}) {
fileName: fileName
});
- await Self.rawSql('UPDATE invoiceOut SET hasPdf = true WHERE id = ?', [invoiceOut.id]);
+ await Self.rawSql('UPDATE invoiceOut SET hasPdf = true WHERE id = ?', [invoiceOut.id], {userId});
if (isToBeMailed) {
const invoiceAttachment = {
@@ -91,7 +92,7 @@ module.exports = async function(Self, tickets, reqArgs = {}) {
// Incoterms authorization
const [{firstOrder}] = await Self.rawSql(`
SELECT COUNT(*) as firstOrder
- FROM ticket t
+ FROM ticket t
JOIN client c ON c.id = t.clientFk
WHERE t.clientFk = ?
AND NOT t.isDeleted
@@ -111,14 +112,14 @@ module.exports = async function(Self, tickets, reqArgs = {}) {
await email.send();
const [sample] = await Self.rawSql(
- `SELECT id
- FROM sample
+ `SELECT id
+ FROM sample
WHERE code = 'incoterms-authorization'
`);
await Self.rawSql(`
INSERT INTO clientSample (clientFk, typeFk, companyFk) VALUES(?, ?, ?)
- `, [ticket.clientFk, sample.id, ticket.companyFk]);
+ `, [ticket.clientFk, sample.id, ticket.companyFk], {userId});
}
} catch (error) {
// Domain not found
@@ -152,23 +153,23 @@ module.exports = async function(Self, tickets, reqArgs = {}) {
async function invalidEmail(ticket) {
await Self.rawSql(`UPDATE client SET email = NULL WHERE id = ?`, [
ticket.clientFk
- ]);
+ ], {userId});
const oldInstance = `{"email": "${ticket.recipient}"}`;
const newInstance = `{"email": ""}`;
await Self.rawSql(`
- INSERT INTO clientLog (originFk, userFk, action, changedModel, oldInstance, newInstance)
+ INSERT INTO clientLog (originFk, userFk, action, changedModel, oldInstance, newInstance)
VALUES (?, NULL, 'UPDATE', 'Client', ?, ?)`, [
ticket.clientFk,
oldInstance,
newInstance
- ]);
+ ], {userId});
- const body = `No se ha podido enviar el albarán ${ticket.id}
- al cliente ${ticket.clientFk} - ${ticket.clientName}
- porque la dirección de email "${ticket.recipient}" no es correcta
+ const body = `No se ha podido enviar el albarán ${ticket.id}
+ al cliente ${ticket.clientFk} - ${ticket.clientName}
+ porque la dirección de email "${ticket.recipient}" no es correcta
o no está disponible.
- Para evitar que se repita este error, se ha eliminado la dirección de email de la ficha del cliente.
+ Para evitar que se repita este error, se ha eliminado la dirección de email de la ficha del cliente.
Actualiza la dirección de email con una correcta.`;
smtp.send({
diff --git a/modules/ticket/back/methods/ticket/componentUpdate.js b/modules/ticket/back/methods/ticket/componentUpdate.js
index dac8e4f52..a8b631d7c 100644
--- a/modules/ticket/back/methods/ticket/componentUpdate.js
+++ b/modules/ticket/back/methods/ticket/componentUpdate.js
@@ -101,7 +101,7 @@ module.exports = Self => {
Self.componentUpdate = async(ctx, options) => {
const args = ctx.args;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/ticket/getSales.js b/modules/ticket/back/methods/ticket/getSales.js
index 321e8e24e..e721d90ae 100644
--- a/modules/ticket/back/methods/ticket/getSales.js
+++ b/modules/ticket/back/methods/ticket/getSales.js
@@ -1,6 +1,6 @@
module.exports = Self => {
- Self.remoteMethod('getSales', {
+ Self.remoteMethodCtx('getSales', {
description: 'New filter',
accessType: 'READ',
accepts: [{
@@ -20,10 +20,10 @@ module.exports = Self => {
}
});
- Self.getSales = async(id, options) => {
+ Self.getSales = async(ctx, id, options) => {
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/ticket/back/methods/ticket/makeInvoice.js b/modules/ticket/back/methods/ticket/makeInvoice.js
index d8ec5eb9a..ee82b874f 100644
--- a/modules/ticket/back/methods/ticket/makeInvoice.js
+++ b/modules/ticket/back/methods/ticket/makeInvoice.js
@@ -28,7 +28,7 @@ module.exports = function(Self) {
const date = Date.vnNew();
date.setHours(0, 0, 0, 0);
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/ticket/new.js b/modules/ticket/back/methods/ticket/new.js
index 5f7cf3cb6..b461fb26d 100644
--- a/modules/ticket/back/methods/ticket/new.js
+++ b/modules/ticket/back/methods/ticket/new.js
@@ -59,9 +59,9 @@ module.exports = Self => {
Self.new = async(ctx, options) => {
const args = ctx.args;
- const myUserId = ctx.req.accessToken.userId;
+ const userId = ctx.req.accessToken.userId;
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId};
let tx;
if (typeof options == 'object')
@@ -123,7 +123,7 @@ module.exports = Self => {
args.routeId || null,
args.landed,
true,
- myUserId
+ userId
], myOptions);
const ticket = await models.Ticket.findById(result[1][0].newTicketId, null, myOptions);
diff --git a/modules/ticket/back/methods/ticket/priceDifference.js b/modules/ticket/back/methods/ticket/priceDifference.js
index 27fdb9160..42a71f1c8 100644
--- a/modules/ticket/back/methods/ticket/priceDifference.js
+++ b/modules/ticket/back/methods/ticket/priceDifference.js
@@ -60,7 +60,7 @@ module.exports = Self => {
Self.priceDifference = async(ctx, options) => {
const args = ctx.args;
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/ticket/recalculateComponents.js b/modules/ticket/back/methods/ticket/recalculateComponents.js
index 5b9e8e5dc..eb9c8a72e 100644
--- a/modules/ticket/back/methods/ticket/recalculateComponents.js
+++ b/modules/ticket/back/methods/ticket/recalculateComponents.js
@@ -21,7 +21,7 @@ module.exports = Self => {
});
Self.recalculateComponents = async(ctx, id, options) => {
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/ticket/refund.js b/modules/ticket/back/methods/ticket/refund.js
index fe17b7101..c99b6aa83 100644
--- a/modules/ticket/back/methods/ticket/refund.js
+++ b/modules/ticket/back/methods/ticket/refund.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('refund', {
+ Self.remoteMethodCtx('refund', {
description: 'Create refund tickets with all their sales and services',
accessType: 'WRITE',
accepts: [
@@ -24,7 +24,7 @@ module.exports = Self => {
}
});
- Self.refund = async(ticketsIds, withWarehouse, options) => {
+ Self.refund = async(ctx, ticketsIds, withWarehouse, options) => {
const models = Self.app.models;
const myOptions = {};
let tx;
@@ -46,7 +46,7 @@ module.exports = Self => {
const services = await models.TicketService.find(filter, myOptions);
const servicesIds = services.map(service => service.id);
- const refundedTickets = await models.Sale.refund(salesIds, servicesIds, withWarehouse, myOptions);
+ const refundedTickets = await models.Sale.refund(ctx, salesIds, servicesIds, withWarehouse, myOptions);
if (tx) await tx.commit();
diff --git a/modules/ticket/back/methods/ticket/saveSign.js b/modules/ticket/back/methods/ticket/saveSign.js
index b8f9d5ced..55d2e3281 100644
--- a/modules/ticket/back/methods/ticket/saveSign.js
+++ b/modules/ticket/back/methods/ticket/saveSign.js
@@ -31,7 +31,7 @@ module.exports = Self => {
Self.saveSign = async(ctx, tickets, location, signedTime, options) => {
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
let dms;
let gestDocCreated = false;
diff --git a/modules/ticket/back/methods/ticket/setDeleted.js b/modules/ticket/back/methods/ticket/setDeleted.js
index 228e2e765..7cc300547 100644
--- a/modules/ticket/back/methods/ticket/setDeleted.js
+++ b/modules/ticket/back/methods/ticket/setDeleted.js
@@ -24,7 +24,7 @@ module.exports = Self => {
Self.setDeleted = async(ctx, id, options) => {
const models = Self.app.models;
const $t = ctx.req.__; // $translate
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/ticket/specs/getSales.spec.js b/modules/ticket/back/methods/ticket/specs/getSales.spec.js
index b9f78e40b..7c0a67d45 100644
--- a/modules/ticket/back/methods/ticket/specs/getSales.spec.js
+++ b/modules/ticket/back/methods/ticket/specs/getSales.spec.js
@@ -1,13 +1,14 @@
const models = require('vn-loopback/server/server').models;
describe('ticket getSales()', () => {
+ const ctx = {req: {accessToken: 9}};
it('should return the sales of a ticket', async() => {
const tx = await models.Ticket.beginTransaction({});
try {
const options = {transaction: tx};
- const sales = await models.Ticket.getSales(16, options);
+ const sales = await models.Ticket.getSales(ctx, 16, options);
expect(sales.length).toEqual(4);
expect(sales[0].item).toBeDefined();
diff --git a/modules/ticket/back/methods/ticket/specs/summary.spec.js b/modules/ticket/back/methods/ticket/specs/summary.spec.js
index 5d2991b0a..2c4aedf1e 100644
--- a/modules/ticket/back/methods/ticket/specs/summary.spec.js
+++ b/modules/ticket/back/methods/ticket/specs/summary.spec.js
@@ -1,13 +1,14 @@
const models = require('vn-loopback/server/server').models;
describe('ticket summary()', () => {
+ const ctx = {req: {accessToken: 9}};
it('should return a summary object containing data from 1 ticket', async() => {
const tx = await models.Ticket.beginTransaction({});
try {
const options = {transaction: tx};
- const result = await models.Ticket.summary(1, options);
+ const result = await models.Ticket.summary(ctx, 1, options);
expect(result.id).toEqual(1);
expect(result.nickname).toEqual('Bat cave');
@@ -25,7 +26,7 @@ describe('ticket summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Ticket.summary(1, options);
+ const result = await models.Ticket.summary(ctx, 1, options);
expect(result.sales.length).toEqual(4);
@@ -42,7 +43,7 @@ describe('ticket summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Ticket.summary(1, options);
+ const result = await models.Ticket.summary(ctx, 1, options);
expect(result.totalWithoutVat).toEqual(jasmine.any(Number));
@@ -59,7 +60,7 @@ describe('ticket summary()', () => {
try {
const options = {transaction: tx};
- const result = await models.Ticket.summary(1, options);
+ const result = await models.Ticket.summary(ctx, 1, options);
expect(result.totalWithVat).toEqual(jasmine.any(Number));
diff --git a/modules/ticket/back/methods/ticket/specs/transferSales.spec.js b/modules/ticket/back/methods/ticket/specs/transferSales.spec.js
index 270aae2f8..562688917 100644
--- a/modules/ticket/back/methods/ticket/specs/transferSales.spec.js
+++ b/modules/ticket/back/methods/ticket/specs/transferSales.spec.js
@@ -67,7 +67,7 @@ describe('sale transferSales()', () => {
const ticketId = 11;
const receiverTicketId = null;
- const sales = await models.Ticket.getSales(ticketId, options);
+ const sales = await models.Ticket.getSales(ctx, ticketId, options);
await models.Ticket.transferSales(ctx, ticketId, receiverTicketId, sales, options);
@@ -89,7 +89,7 @@ describe('sale transferSales()', () => {
const formerTicketId = 22;
let createdTicketId = undefined;
- let formerTicketSales = await models.Ticket.getSales(formerTicketId, options);
+ let formerTicketSales = await models.Ticket.getSales(ctx, formerTicketId, options);
expect(formerTicketSales.length).toEqual(2);
@@ -98,8 +98,8 @@ describe('sale transferSales()', () => {
createdTicketId = createdTicket.id;
- formerTicketSales = await models.Ticket.getSales(formerTicketId, options);
- let createdTicketSales = await models.Ticket.getSales(createdTicketId, options);
+ formerTicketSales = await models.Ticket.getSales(ctx, formerTicketId, options);
+ let createdTicketSales = await models.Ticket.getSales(ctx, createdTicketId, options);
expect(formerTicketSales.length).toEqual(0);
expect(createdTicketSales.length).toEqual(2);
@@ -120,7 +120,7 @@ describe('sale transferSales()', () => {
const options = {transaction: tx};
const currentTicketId = 22;
- const currentTicketSales = await models.Ticket.getSales(currentTicketId, options);
+ const currentTicketSales = await models.Ticket.getSales(ctx, currentTicketId, options);
const receiverTicketId = undefined;
@@ -147,7 +147,7 @@ describe('sale transferSales()', () => {
const formerTicketId = 22;
let createdTicketId = undefined;
- let formerTicketSales = await models.Ticket.getSales(formerTicketId, options);
+ let formerTicketSales = await models.Ticket.getSales(ctx, formerTicketId, options);
const completeSaleId = formerTicketSales[1].id;
let partialSaleTotalQuantity = formerTicketSales[0].quantity;
@@ -161,8 +161,8 @@ describe('sale transferSales()', () => {
createdTicketId = createdTicket.id;
- formerTicketSales = await models.Ticket.getSales(formerTicketId, options);
- createdTicketSales = await models.Ticket.getSales(createdTicketId, options);
+ formerTicketSales = await models.Ticket.getSales(ctx, formerTicketId, options);
+ createdTicketSales = await models.Ticket.getSales(ctx, createdTicketId, options);
const [createdPartialSale] = createdTicketSales.filter(sale => {
return sale.id != completeSaleId;
diff --git a/modules/ticket/back/methods/ticket/summary.js b/modules/ticket/back/methods/ticket/summary.js
index a57968fc1..1ce91e1b2 100644
--- a/modules/ticket/back/methods/ticket/summary.js
+++ b/modules/ticket/back/methods/ticket/summary.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('summary', {
+ Self.remoteMethodCtx('summary', {
description: 'Returns a ticket summary',
accessType: 'READ',
accepts: [{
@@ -19,7 +19,7 @@ module.exports = Self => {
}
});
- Self.summary = async(ticketFk, options) => {
+ Self.summary = async(ctx, ticketFk, options) => {
const models = Self.app.models;
const myOptions = {};
@@ -28,7 +28,7 @@ module.exports = Self => {
const summaryObj = await getTicketData(Self, ticketFk, myOptions);
- summaryObj.sales = await models.Ticket.getSales(ticketFk, myOptions);
+ summaryObj.sales = await models.Ticket.getSales(ctx, ticketFk, myOptions);
summaryObj.packagings = await models.TicketPackaging.find({
where: {ticketFk: ticketFk},
diff --git a/modules/ticket/back/methods/ticket/transferSales.js b/modules/ticket/back/methods/ticket/transferSales.js
index 5737e628f..01ada49d0 100644
--- a/modules/ticket/back/methods/ticket/transferSales.js
+++ b/modules/ticket/back/methods/ticket/transferSales.js
@@ -36,7 +36,7 @@ module.exports = Self => {
Self.transferSales = async(ctx, id, ticketId, sales, options) => {
const userId = ctx.req.accessToken.userId;
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/back/methods/ticket/updateDiscount.js b/modules/ticket/back/methods/ticket/updateDiscount.js
index 4b31c0ce4..6feeafa1a 100644
--- a/modules/ticket/back/methods/ticket/updateDiscount.js
+++ b/modules/ticket/back/methods/ticket/updateDiscount.js
@@ -44,7 +44,7 @@ module.exports = Self => {
Self.updateDiscount = async(ctx, id, salesIds, newDiscount, manaCode, options) => {
const $t = ctx.req.__; // $translate
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
let tx;
if (typeof options == 'object')
diff --git a/modules/ticket/front/descriptor/locale/es.yml b/modules/ticket/front/descriptor/locale/es.yml
index d921b5dc2..3da013467 100644
--- a/modules/ticket/front/descriptor/locale/es.yml
+++ b/modules/ticket/front/descriptor/locale/es.yml
@@ -23,4 +23,4 @@ Restore ticket: Restaurar ticket
You are going to restore this ticket: Vas a restaurar este ticket
Are you sure you want to restore this ticket?: ¿Seguro que quieres restaurar el ticket?
Are you sure you want to refund all?: ¿Seguro que quieres abonar todo?
-Send changes: "Verdnatura le recuerda:\rPedido {{ticketId}} día {{created | date: 'dd/MM/yyyy'}}\r{{changes}}"
+Send changes: "Verdnatura:\rPedido {{ticketId}}\r{{changes}}"
diff --git a/modules/ticket/front/expedition/index.html b/modules/ticket/front/expedition/index.html
index 447411f3a..831b8ef7e 100644
--- a/modules/ticket/front/expedition/index.html
+++ b/modules/ticket/front/expedition/index.html
@@ -7,10 +7,12 @@
order="created DESC"
auto-load="true">
-
-
-
-
-
-
-
-
-
-
- Expedition
- Item
- Name
- Package type
- Counter
- externalId
- Created
- State
-
-
-
-
-
-
-
-
-
- {{expedition.id}}
-
-
- {{expedition.packagingFk}}
-
-
- {{::expedition.packageItemName}}
- {{::expedition.freightItemName}}
- {{::expedition.counter}}
- {{::expedition.externalId}}
- {{::expedition.created | date:'dd/MM/yyyy HH:mm'}}
- {{::expedition.state}}
-
-
-
-
-
-
-
-
-
+
+
+
+
+
+
+
+
+ |
+
+ Expedition
+ |
+
+ Item
+ |
+
+ Name
+ |
+
+ Package Type
+ |
+
+ Counter
+ |
+
+ externalId
+ |
+
+ Created
+ |
+
+ State
+ |
+ |
+
+
+
+
+
+
+
+ |
+ {{expedition.id}} |
+
+
+ {{expedition.packagingItemFk}}
+
+ |
+ {{::expedition.packageItemName}} |
+ {{::expedition.freightItemName}} |
+ {{::expedition.counter}} |
+ {{::expedition.externalId}} |
+ {{::expedition.created | date:'dd/MM/yyyy HH:mm'}} |
+ {{::expedition.state}} |
+
+
+
+ |
+
+
+
+
+
+
{
- Self.remoteMethod('createThermograph', {
+ Self.remoteMethodCtx('createThermograph', {
description: 'Creates a new thermograph',
accessType: 'WRITE',
accepts: [{
@@ -36,10 +36,10 @@ module.exports = Self => {
}
});
- Self.createThermograph = async(thermographId, model, temperatureFk, warehouseId, options) => {
+ Self.createThermograph = async(ctx, thermographId, model, temperatureFk, warehouseId, options) => {
const models = Self.app.models;
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
const date = Date.vnNew();
if (typeof options == 'object')
diff --git a/modules/travel/back/methods/thermograph/specs/createThermograph.spec.js b/modules/travel/back/methods/thermograph/specs/createThermograph.spec.js
index 32014e303..90855bf81 100644
--- a/modules/travel/back/methods/thermograph/specs/createThermograph.spec.js
+++ b/modules/travel/back/methods/thermograph/specs/createThermograph.spec.js
@@ -5,6 +5,7 @@ describe('Termograph createThermograph()', () => {
const model = 'DISPOSABLE';
const temperatureFk = 'COOL';
const warehouseId = 1;
+ const ctx = {req: {accessToken: {userId: 9}}};
it(`should create a thermograph which is saved in both thermograph and travelThermograph`, async() => {
const tx = await models.Thermograph.beginTransaction({});
@@ -12,7 +13,7 @@ describe('Termograph createThermograph()', () => {
try {
const options = {transaction: tx};
- const createdThermograph = await models.Thermograph.createThermograph(thermographId, model, temperatureFk, warehouseId, options);
+ const createdThermograph = await models.Thermograph.createThermograph(ctx, thermographId, model, temperatureFk, warehouseId, options);
expect(createdThermograph.id).toEqual(thermographId);
expect(createdThermograph.model).toEqual(model);
@@ -37,8 +38,8 @@ describe('Termograph createThermograph()', () => {
try {
const options = {transaction: tx};
- await models.Thermograph.createThermograph(thermographId, model, temperatureFk, warehouseId, options);
- await models.Thermograph.createThermograph(thermographId, model, temperatureFk, warehouseId, options);
+ await models.Thermograph.createThermograph(ctx, thermographId, model, temperatureFk, warehouseId, options);
+ await models.Thermograph.createThermograph(ctx, thermographId, model, temperatureFk, warehouseId, options);
await tx.rollback();
} catch (e) {
diff --git a/modules/travel/back/methods/travel/deleteThermograph.js b/modules/travel/back/methods/travel/deleteThermograph.js
index ba541c560..d22fc8b29 100644
--- a/modules/travel/back/methods/travel/deleteThermograph.js
+++ b/modules/travel/back/methods/travel/deleteThermograph.js
@@ -26,9 +26,9 @@ module.exports = Self => {
await models.Dms.removeFile(ctx, travelThermograph.dmsFk);
await Self.rawSql(`
- UPDATE travelThermograph
- SET travelFk = NULL, dmsFk = NULL
- WHERE id = ?`, [id]);
+ UPDATE travelThermograph
+ SET travelFk = NULL, dmsFk = NULL
+ WHERE id = ?`, [id], {userId});
const oldInstance = {
travelFk: travelThermograph.travelFk,
diff --git a/modules/worker/back/methods/department/getLeaves.js b/modules/worker/back/methods/department/getLeaves.js
index 614f3388e..48fe78e08 100644
--- a/modules/worker/back/methods/department/getLeaves.js
+++ b/modules/worker/back/methods/department/getLeaves.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('getLeaves', {
+ Self.remoteMethodCtx, ('getLeaves', {
description: 'Returns the nodes for a department',
accepts: [{
arg: 'parentId',
@@ -20,10 +20,11 @@ module.exports = Self => {
}
});
- Self.getLeaves = async(parentId = null, search) => {
+ Self.getLeaves = async(ctx, parentId = null, search) => {
let [res] = await Self.rawSql(
`CALL department_getLeaves(?, ?)`,
- [parentId, search]
+ [parentId, search],
+ {userId: ctx.req.accessToken.userId}
);
let map = new Map();
diff --git a/modules/worker/back/methods/worker-time-control/addTimeEntry.js b/modules/worker/back/methods/worker-time-control/addTimeEntry.js
index bcc96985f..cc652fb90 100644
--- a/modules/worker/back/methods/worker-time-control/addTimeEntry.js
+++ b/modules/worker/back/methods/worker-time-control/addTimeEntry.js
@@ -33,15 +33,15 @@ module.exports = Self => {
Self.addTimeEntry = async(ctx, workerId, options) => {
const models = Self.app.models;
const args = ctx.args;
- const currentUserId = ctx.req.accessToken.userId;
- const myOptions = {};
+ const userId = ctx.req.accessToken.userId;
+ const myOptions = {userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
const isSubordinate = await models.Worker.isSubordinate(ctx, workerId, myOptions);
const isTeamBoss = await models.ACL.checkAccessAcl(ctx, 'Worker', 'isTeamBoss', 'WRITE');
- const isHimself = currentUserId == workerId;
+ const isHimself = userId == workerId;
if (!isSubordinate || (isSubordinate && isHimself && !isTeamBoss))
throw new UserError(`You don't have enough privileges`);
diff --git a/modules/worker/back/methods/worker-time-control/deleteTimeEntry.js b/modules/worker/back/methods/worker-time-control/deleteTimeEntry.js
index 80482901f..8f9541596 100644
--- a/modules/worker/back/methods/worker-time-control/deleteTimeEntry.js
+++ b/modules/worker/back/methods/worker-time-control/deleteTimeEntry.js
@@ -22,10 +22,10 @@ module.exports = Self => {
});
Self.deleteTimeEntry = async(ctx, id, options) => {
- const currentUserId = ctx.req.accessToken.userId;
+ const userId = ctx.req.accessToken.userId;
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
@@ -33,7 +33,7 @@ module.exports = Self => {
const targetTimeEntry = await Self.findById(id, null, myOptions);
const isSubordinate = await models.Worker.isSubordinate(ctx, targetTimeEntry.userFk, myOptions);
const isTeamBoss = await models.ACL.checkAccessAcl(ctx, 'Worker', 'isTeamBoss', 'WRITE');
- const isHimself = currentUserId == targetTimeEntry.userFk;
+ const isHimself = userId == targetTimeEntry.userFk;
if (isSubordinate === false || (isSubordinate && isHimself && !isTeamBoss))
throw new UserError(`You don't have enough privileges`);
diff --git a/modules/worker/back/methods/worker-time-control/sendMail.js b/modules/worker/back/methods/worker-time-control/sendMail.js
index 3d57ebbbd..ab5e56a77 100644
--- a/modules/worker/back/methods/worker-time-control/sendMail.js
+++ b/modules/worker/back/methods/worker-time-control/sendMail.js
@@ -33,7 +33,7 @@ module.exports = Self => {
const conn = Self.dataSource.connector;
const args = ctx.args;
let tx;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/worker/back/methods/worker/new.js b/modules/worker/back/methods/worker/new.js
index 398411118..27acc98ab 100644
--- a/modules/worker/back/methods/worker/new.js
+++ b/modules/worker/back/methods/worker/new.js
@@ -119,7 +119,7 @@ module.exports = Self => {
Self.new = async(ctx, options) => {
const models = Self.app.models;
- const myOptions = {};
+ const myOptions = {userId: ctx.req.accessToken.userId};
const args = ctx.args;
let tx;
diff --git a/modules/worker/back/methods/worker/specs/new.spec.js b/modules/worker/back/methods/worker/specs/new.spec.js
index 44f6e9b09..b2804c203 100644
--- a/modules/worker/back/methods/worker/specs/new.spec.js
+++ b/modules/worker/back/methods/worker/specs/new.spec.js
@@ -36,6 +36,7 @@ describe('Worker new', () => {
payMethodFk: 1,
roleFk: 1
};
+ const req = {accessToken: {userId: 9}};
it('should return error if personal mail already exists', async() => {
const user = await models.VnUser.findById(employeeId, {fields: ['email']});
@@ -46,7 +47,8 @@ describe('Worker new', () => {
try {
const options = {transaction: tx};
const ctx = {
- args: Object.assign({}, defaultWorker, {email: user.email})
+ args: Object.assign({}, defaultWorker, {email: user.email}),
+ req
};
await models.Worker.new(ctx, options);
@@ -69,7 +71,8 @@ describe('Worker new', () => {
try {
const options = {transaction: tx};
const ctx = {
- args: Object.assign({}, defaultWorker, {code: worker.code})
+ args: Object.assign({}, defaultWorker, {code: worker.code}),
+ req
};
await models.Worker.new(ctx, options);
@@ -92,7 +95,8 @@ describe('Worker new', () => {
try {
const options = {transaction: tx};
const ctx = {
- args: Object.assign({}, defaultWorker, {fi: worker.fi})
+ args: Object.assign({}, defaultWorker, {fi: worker.fi}),
+ req
};
await models.Worker.new(ctx, options);
@@ -119,7 +123,8 @@ describe('Worker new', () => {
try {
const options = {transaction: tx};
const ctx = {
- args: Object.assign({}, defaultWorker, {payMethodFk: payMethodIbanRequired.id})
+ args: Object.assign({}, defaultWorker, {payMethodFk: payMethodIbanRequired.id}),
+ req
};
await models.Worker.new(ctx, options);
@@ -133,7 +138,7 @@ describe('Worker new', () => {
});
it('should create a new worker', async() => {
- const newWorker = await models.Worker.new({args: defaultWorker});
+ const newWorker = await models.Worker.new({args: defaultWorker, req});
await models.Worker.destroyById(newWorker.id);
await models.Address.destroyAll({clientFk: newWorker.id});
@@ -155,7 +160,8 @@ describe('Worker new', () => {
{
fi: client.fi,
email: client.email
- })
+ }),
+ req
};
const newWorker = await models.Worker.new(newWorkerData);
diff --git a/modules/zone/back/methods/agency/getAgenciesWithWarehouse.js b/modules/zone/back/methods/agency/getAgenciesWithWarehouse.js
index 846ad6a3d..c8ab4f67c 100644
--- a/modules/zone/back/methods/agency/getAgenciesWithWarehouse.js
+++ b/modules/zone/back/methods/agency/getAgenciesWithWarehouse.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('getAgenciesWithWarehouse', {
+ Self.remoteMethodCtx('getAgenciesWithWarehouse', {
description: 'Returns a list of agencies that can land a shipment on a day for an address and a warehouse',
accepts: [
{
@@ -28,8 +28,8 @@ module.exports = Self => {
}
});
- Self.getAgenciesWithWarehouse = async(addressFk, landed, warehouseFk, options) => {
- const myOptions = {};
+ Self.getAgenciesWithWarehouse = async(ctx, addressFk, landed, warehouseFk, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/zone/back/methods/agency/landsThatDay.js b/modules/zone/back/methods/agency/landsThatDay.js
index b7f13ddda..4d73e4d08 100644
--- a/modules/zone/back/methods/agency/landsThatDay.js
+++ b/modules/zone/back/methods/agency/landsThatDay.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('landsThatDay', {
+ Self.remoteMethodCtx('landsThatDay', {
description: 'Returns a list of agencies that can land a shipment on a day for an address',
accepts: [
{
@@ -22,8 +22,8 @@ module.exports = Self => {
}
});
- Self.landsThatDay = async(addressFk, landed, options) => {
- const myOptions = {};
+ Self.landsThatDay = async(ctx, addressFk, landed, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/zone/back/methods/agency/specs/getAgenciesWithWarehouse.spec.js b/modules/zone/back/methods/agency/specs/getAgenciesWithWarehouse.spec.js
index 4f79b2315..f760559cb 100644
--- a/modules/zone/back/methods/agency/specs/getAgenciesWithWarehouse.spec.js
+++ b/modules/zone/back/methods/agency/specs/getAgenciesWithWarehouse.spec.js
@@ -2,6 +2,7 @@ const app = require('vn-loopback/server/server');
describe('Agency getAgenciesWithWarehouse()', () => {
const today = Date.vnNew();
+ const ctx = {req: {accessToken: {userId: 9}}};
it('should return the agencies that can handle the given delivery request', async() => {
const tx = await app.models.Zone.beginTransaction({});
@@ -9,7 +10,7 @@ describe('Agency getAgenciesWithWarehouse()', () => {
const options = {transaction: tx};
const addressId = 101;
- const agencies = await app.models.Agency.getAgenciesWithWarehouse(addressId, today, 1, options);
+ const agencies = await app.models.Agency.getAgenciesWithWarehouse(ctx, addressId, today, 1, options);
expect(agencies.length).toEqual(3);
expect(agencies[0].agencyMode).toEqual('inhouse pickup');
@@ -30,7 +31,7 @@ describe('Agency getAgenciesWithWarehouse()', () => {
const options = {transaction: tx};
const addressId = 101;
- const agencies = await app.models.Agency.getAgenciesWithWarehouse(addressId, null, 1, options);
+ const agencies = await app.models.Agency.getAgenciesWithWarehouse(ctx, addressId, null, 1, options);
expect(agencies.length).toEqual(0);
diff --git a/modules/zone/back/methods/agency/specs/landsThatDay.spec.js b/modules/zone/back/methods/agency/specs/landsThatDay.spec.js
index 4bde37984..1ec675071 100644
--- a/modules/zone/back/methods/agency/specs/landsThatDay.spec.js
+++ b/modules/zone/back/methods/agency/specs/landsThatDay.spec.js
@@ -1,6 +1,7 @@
const {models} = require('vn-loopback/server/server');
describe('Agency landsThatDay()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
const today = Date.vnNew();
it('should return a list of agencies that can land a shipment on a day for an address', async() => {
const tx = await models.Agency.beginTransaction({});
@@ -8,7 +9,7 @@ describe('Agency landsThatDay()', () => {
try {
const options = {transaction: tx};
- const agencies = await models.Agency.landsThatDay(101, today, options);
+ const agencies = await models.Agency.landsThatDay(ctx, 101, today, options);
expect(agencies.length).toBeGreaterThanOrEqual(3);
diff --git a/modules/zone/back/methods/zone/deleteZone.js b/modules/zone/back/methods/zone/deleteZone.js
index e3846132b..bcfb91e3d 100644
--- a/modules/zone/back/methods/zone/deleteZone.js
+++ b/modules/zone/back/methods/zone/deleteZone.js
@@ -26,7 +26,7 @@ module.exports = Self => {
today.setHours(0, 0, 0, 0);
let tx;
- const myOptions = {};
+ const myOptions = {userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/zone/back/methods/zone/getEvents.js b/modules/zone/back/methods/zone/getEvents.js
index a8ee8bb7b..03fb31438 100644
--- a/modules/zone/back/methods/zone/getEvents.js
+++ b/modules/zone/back/methods/zone/getEvents.js
@@ -1,6 +1,6 @@
module.exports = Self => {
- Self.remoteMethod('getEvents', {
+ Self.remoteMethodCtx('getEvents', {
description: 'Returns delivery days for a postcode',
accepts: [
{
@@ -25,8 +25,8 @@ module.exports = Self => {
}
});
- Self.getEvents = async(geoFk, agencyModeFk, options) => {
- const myOptions = {};
+ Self.getEvents = async(ctx, geoFk, agencyModeFk, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/zone/back/methods/zone/getLeaves.js b/modules/zone/back/methods/zone/getLeaves.js
index ed421e339..a6db3b711 100644
--- a/modules/zone/back/methods/zone/getLeaves.js
+++ b/modules/zone/back/methods/zone/getLeaves.js
@@ -1,6 +1,6 @@
module.exports = Self => {
- Self.remoteMethod('getLeaves', {
+ Self.remoteMethodCtx('getLeaves', {
description: 'Returns the nodes for a zone',
accepts: [
{
@@ -31,8 +31,8 @@ module.exports = Self => {
}
});
- Self.getLeaves = async(id, parentId = null, search, options) => {
- const myOptions = {};
+ Self.getLeaves = async(ctx, id, parentId = null, search, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/zone/back/methods/zone/getUpcomingDeliveries.js b/modules/zone/back/methods/zone/getUpcomingDeliveries.js
index 2a1c39ed6..e8b7e7636 100644
--- a/modules/zone/back/methods/zone/getUpcomingDeliveries.js
+++ b/modules/zone/back/methods/zone/getUpcomingDeliveries.js
@@ -1,5 +1,5 @@
module.exports = Self => {
- Self.remoteMethod('getUpcomingDeliveries', {
+ Self.remoteMethodCtx('getUpcomingDeliveries', {
description: 'Returns the upcomings deliveries',
accessType: 'READ',
accepts: [],
@@ -13,8 +13,8 @@ module.exports = Self => {
}
});
- Self.getUpcomingDeliveries = async options => {
- const myOptions = {};
+ Self.getUpcomingDeliveries = async(ctx, options) => {
+ const myOptions = {userId: ctx.req.accessToken.userId};
if (typeof options == 'object')
Object.assign(myOptions, options);
diff --git a/modules/zone/back/methods/zone/specs/getEvents.spec.js b/modules/zone/back/methods/zone/specs/getEvents.spec.js
index d1c51baff..c1dee3e0f 100644
--- a/modules/zone/back/methods/zone/specs/getEvents.spec.js
+++ b/modules/zone/back/methods/zone/specs/getEvents.spec.js
@@ -1,13 +1,14 @@
const models = require('vn-loopback/server/server').models;
describe('zone getEvents()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
it('should return all events for the specified geo and agency mode', async() => {
const tx = await models.Zone.beginTransaction({});
try {
const options = {transaction: tx};
- let result = await models.Zone.getEvents(20, 1, options);
+ let result = await models.Zone.getEvents(ctx, 20, 1, options);
expect(result.events.length).toEqual(10);
diff --git a/modules/zone/back/methods/zone/specs/getLeaves.spec.js b/modules/zone/back/methods/zone/specs/getLeaves.spec.js
index db7359671..9342a0b50 100644
--- a/modules/zone/back/methods/zone/specs/getLeaves.spec.js
+++ b/modules/zone/back/methods/zone/specs/getLeaves.spec.js
@@ -1,13 +1,14 @@
const models = require('vn-loopback/server/server').models;
describe('zone getLeaves()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
it('should return the country and the childs containing the search value', async() => {
const tx = await models.Zone.beginTransaction({});
try {
const options = {transaction: tx};
- let result = await models.Zone.getLeaves(1, null, '46000', options);
+ let result = await models.Zone.getLeaves(ctx, 1, null, '46000', options);
expect(result.length).toEqual(1);
diff --git a/modules/zone/back/methods/zone/specs/getUpcomingDeliveries.spec.js b/modules/zone/back/methods/zone/specs/getUpcomingDeliveries.spec.js
index acef079f6..fe542fbf3 100644
--- a/modules/zone/back/methods/zone/specs/getUpcomingDeliveries.spec.js
+++ b/modules/zone/back/methods/zone/specs/getUpcomingDeliveries.spec.js
@@ -1,12 +1,13 @@
const models = require('vn-loopback/server/server').models;
describe('zone getUpcomingDeliveries()', () => {
+ const ctx = {req: {accessToken: {userId: 9}}};
it('should check returns data', async() => {
const tx = await models.Zone.beginTransaction({});
try {
const options = {transaction: tx};
- let result = await models.Zone.getUpcomingDeliveries(options);
+ let result = await models.Zone.getUpcomingDeliveries(ctx, options);
const firstResultLines = result[0].lines;
const secondResultLines = result[1].lines;
diff --git a/package.json b/package.json
index f1b3daca3..4358c86a7 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "salix-back",
- "version": "23.24.01",
+ "version": "23.26.01",
"author": "Verdnatura Levante SL",
"description": "Salix backend",
"license": "GPL-3.0",