floriday/utils.js

700 lines
21 KiB
JavaScript
Raw Normal View History

2023-05-09 12:13:19 +00:00
import { models } from './models/sequelize.js';
2023-05-30 09:22:39 +00:00
import { Op } from 'sequelize';
2023-02-08 11:31:54 +00:00
import { v4 as uuidv4 } from 'uuid';
import axios from 'axios';
import moment from 'moment';
import chalk from 'chalk';
import ora from 'ora';
const env = process.env;
2023-01-11 13:37:46 +00:00
/**
2023-05-19 11:47:36 +00:00
* Gets the Access Token.
*
2023-05-15 12:19:43 +00:00
* @param {Boolean} isForce Force to request new token
*/
2023-05-15 12:19:43 +00:00
export async function requestToken(isForce = false) {
let spinner = ora(`Requesting new token...`).start();
2023-05-05 09:48:44 +00:00
try {
const clientConfigData = await models.config.findOne();
2023-05-05 09:48:44 +00:00
2023-05-19 06:47:32 +00:00
let tokenExpiration, token;
2023-05-11 07:43:27 +00:00
if (clientConfigData) {
token = clientConfigData.currentToken;
2023-05-19 06:47:32 +00:00
tokenExpiration = clientConfigData.tokenExpiration;
2023-05-11 07:43:27 +00:00
}
2023-05-15 12:19:43 +00:00
2023-05-19 06:47:32 +00:00
if (isForce || !token || !tokenExpiration || moment().isAfter(tokenExpiration)) {
const clientId = JSON.parse(env.USE_SECRETS_DB) ? clientConfigData.clientId || env.CLIENT_ID : env.CLIENT_ID;
const clientSecret = JSON.parse(env.USE_SECRETS_DB) ? clientConfigData.clientSecret || env.CLIENT_SECRET : env.CLIENT_SECRET;
2023-05-05 09:48:44 +00:00
2023-05-19 06:47:32 +00:00
const data = new URLSearchParams({
2023-05-05 09:48:44 +00:00
grant_type: 'client_credentials',
client_id: clientId,
client_secret: clientSecret,
scope: 'role:app catalog:read supply:read organization:read network:write network:read'
2023-05-19 06:47:32 +00:00
}).toString();
2023-05-15 12:19:43 +00:00
const headers = { 'Content-Type': 'application/x-www-form-urlencoded' };
const response = (await vnRequest('POST', env.API_ENDPOINT, data, headers, spinner)).data;
2023-05-19 06:47:32 +00:00
const tokenExpiration = moment()
.add(response.expires_in, 's')
2023-05-05 09:48:44 +00:00
.format('YYYY-MM-DD HH:mm:ss');
2023-05-19 06:47:32 +00:00
await updateClientConfig({
2023-05-05 09:48:44 +00:00
clientId,
clientSecret,
2023-05-19 06:47:32 +00:00
currentToken: response.access_token,
tokenExpiration,
});
spinner.succeed();
2023-05-15 12:19:43 +00:00
} else
spinner.succeed('Using stored token...');
2023-05-05 09:48:44 +00:00
} catch (err) {
spinner.fail();
throw err;
2023-04-24 10:46:06 +00:00
}
}
2023-04-06 08:56:52 +00:00
/**
2023-05-19 11:47:36 +00:00
* Returns the current token.
*
2023-04-06 08:56:52 +00:00
* @returns {string}
*/
export async function getCurrentToken() {
return (await models.config.findOne()).currentToken;
}
2023-05-08 10:18:14 +00:00
/**
2023-05-19 11:47:36 +00:00
* Check the floriday data config.
2023-05-08 10:18:14 +00:00
*/
export async function checkConfig() {
const spinner = ora(`Checking config...`).start();
const excludedEnvVars = ['VSCODE_GIT_ASKPASS_EXTRA_ARGS'];
const requiredEnvVars = Object.keys(env);
const filteredEnvVars = requiredEnvVars.filter(reqEnvVar => !excludedEnvVars.includes(reqEnvVar));
for (const reqEnvVar of filteredEnvVars) {
if (!process.env[reqEnvVar]) {
spinner.fail();
throw new Error(`You haven't provided the ${reqEnvVar} environment variable`);
}
}
const clientConfigData = await models.config.findOne();
2023-05-08 11:02:31 +00:00
if (!clientConfigData)
await updateClientConfig(env.CLIENT_ID, env.CLIENT_SECRET);
2023-05-08 10:18:14 +00:00
spinner.succeed();
}
2023-04-24 10:46:06 +00:00
2023-04-06 08:56:52 +00:00
/**
2023-05-19 11:47:36 +00:00
* Returns the expiration of current token.
*
2023-04-06 08:56:52 +00:00
* @returns {string}
*/
export async function getCurrentTokenExpiration() {
return (await models.config.findOne()).tokenExpiration;
}
/**
2023-05-19 11:47:36 +00:00
* Updates the access token in the client config table.
*
2023-05-19 06:47:32 +00:00
* @param {Array} clientConfig [clientId, clientSecret, currenToken, tokenExpiration]
*/
2023-05-19 06:47:32 +00:00
export async function updateClientConfig(clientConfig) {
try {
if (!JSON.parse(process.env.USE_SECRETS_DB)) clientId = clientSecret = null
await models.config.upsert({
2023-05-19 06:47:32 +00:00
id: 1,
...clientConfig,
});
} catch (err) {
throw(err);
}
}
2023-01-11 12:13:22 +00:00
/**
2023-05-19 11:47:36 +00:00
* Pauses the execution of the script for the specified number of milliseconds.
*
* @param {Integer} ms
2023-01-11 12:13:22 +00:00
*/
export async function sleep(ms) {
2023-05-19 11:47:36 +00:00
await new Promise(resolve => setTimeout(resolve, ms));
2023-01-11 12:13:22 +00:00
}
2023-05-17 05:36:58 +00:00
/**
2023-05-19 11:47:36 +00:00
* Sync the organizations.
2023-05-17 05:36:58 +00:00
*/
2023-05-19 11:47:36 +00:00
export async function syncOrganizations(){
let spinner = ora('Syncing organizations...').start();
let i = 0;
2023-04-24 10:46:06 +00:00
try {
const sequenceNumberDb = await models.sequenceNumber.findOne({
where: { model: 'organization' }
});
const maxSequenceNumber = (await vnRequest('GET', `${env.API_URL}/organizations/current-max-sequence`, null, null, spinner)).data;
let curSequenceNumber = (sequenceNumberDb?.maxSequenceNumber)
? sequenceNumberDb.maxSequenceNumber
: 0
for (curSequenceNumber; curSequenceNumber <= maxSequenceNumber; curSequenceNumber++) {
2023-05-19 11:47:36 +00:00
const params = new URLSearchParams({
organizationType: 'SUPPLIER'
}).toString();
let response = (await vnRequest('GET', `${env.API_URL}/organizations/sync/${curSequenceNumber}?${params}`, null, null, spinner)).data;
2023-05-19 11:47:36 +00:00
curSequenceNumber = response.maximumSequenceNumber;
const orgs = response.results;
for (let org of orgs) {
spinner.text = `Syncing ${i} organizations, ${maxSequenceNumber - curSequenceNumber} missing...`
if (JSON.parse(env.APPLY_ORG_FILTER) && org.companyGln && !org.endDate) { // Filtro para quitar los que parecen test
await insertOrganization(org);
spinner.text = `Syncing ${i++} organizations, ${maxSequenceNumber - curSequenceNumber} missing...`
}
};
2023-04-24 10:46:06 +00:00
}
await models.sequenceNumber.upsert({
model: 'organization',
maxSequenceNumber,
});
spinner.text = `Syncing ${i} organizations, 0 missing...`
2023-05-19 11:47:36 +00:00
spinner.succeed();
2023-04-24 10:46:06 +00:00
}
catch (err) {
spinner.fail();
throw new Error(err);
}
2023-01-24 12:51:44 +00:00
}
/**
2023-05-19 11:47:36 +00:00
* Create the connections in Floriday.
*/
export async function syncConnections(){
await deleteConnections();
let spinner;
2023-04-24 10:46:06 +00:00
try {
2023-05-18 12:06:11 +00:00
let connectionsInDb = await models.supplyLine.findAll({
include : {
model: models.organization,
where: {
isConnected: true,
}
},
attributes: ['organizationId'],
2023-05-18 12:06:11 +00:00
group: ['organizationId'],
});
2023-04-24 10:46:06 +00:00
const connectionsInFloriday = (await vnRequest('GET', `${env.API_URL}/connections`, null, null, spinner)).data;
let isExists = false, connectionsToPut = [];
for (let connectionInDb of connectionsInDb) {
for (let connectionInFloriday of connectionsInFloriday)
if (connectionInFloriday == connectionInDb.organizationId) {
isExists = true;
break;
}
if (!isExists) connectionsToPut.push(connectionInDb.organizationId)
isExists = false;
}
if (connectionsToPut.length) spinner = ora(`Creating connections in Floriday...`).start();
let i = 1;
for (let connection of connectionsToPut) {
spinner.text = `Creating ${i++} of ${connectionsToPut.length} connections in Floriday...`
await vnRequest('PUT', `${env.API_URL}/connections/${connection}`, null, null, spinner);
2023-04-24 10:46:06 +00:00
}
if (spinner) spinner.succeed();
2023-04-24 10:46:06 +00:00
} catch (err) {
if (spinner) spinner.fail();
2023-04-24 10:46:06 +00:00
throw new Error(err);
}
2023-02-10 09:42:54 +00:00
}
2023-05-17 05:36:58 +00:00
/**
2023-05-19 11:47:36 +00:00
* Sync the trade items for organizations that are connected.
2023-05-17 05:36:58 +00:00
*/
export async function syncTradeItems(){
2023-04-24 10:46:06 +00:00
const spinner = ora(`Syncing trade items...`).start();
2023-05-19 11:47:36 +00:00
const orgs = await models.organization.findAll({
attributes: ['organizationId'],
2023-05-09 12:13:19 +00:00
where: { isConnected: true }
});
let i = 0, x = 0;
2023-05-19 11:47:36 +00:00
for (let org of orgs) {
2023-04-24 10:46:06 +00:00
try {
const params = new URLSearchParams({
2023-05-19 11:47:36 +00:00
supplierOrganizationId: org.organizationId,
}).toString();
let tradeItems = (await vnRequest('GET', `${env.API_URL}/trade-items?${params}`, null, null, spinner)).data
2023-05-19 11:47:36 +00:00
spinner.text = `Syncing ${i} trade items of [${x++}|${orgs.length}] organizations...`
if (!tradeItems.length) continue;
2023-04-24 10:46:06 +00:00
for (let tradeItem of tradeItems) {
await insertItem(tradeItem);
2023-05-19 11:47:36 +00:00
spinner.text = `Syncing ${i++} trade items of [${x}|${orgs.length}] organizations...`
2023-04-24 10:46:06 +00:00
};
2023-05-08 12:55:18 +00:00
} catch (err) {
2023-04-24 10:46:06 +00:00
spinner.fail();
2023-05-08 12:55:18 +00:00
throw err;
2023-04-24 10:46:06 +00:00
}
}
spinner.succeed()
2023-01-16 13:52:08 +00:00
}
2023-02-14 13:36:05 +00:00
/**
2023-05-19 11:47:36 +00:00
* Sync the supply lines for organizations that are connected.
*
* If necessary, create the dependences.
2023-02-14 13:36:05 +00:00
*/
export async function syncSupplyLines() {
const spinner = ora(`Syncing supply lines...`).start();
try {
2023-05-19 11:47:36 +00:00
let conOrgs = await models.organization.findAll({
attributes: ['organizationId'],
where: { isConnected: true }
});
2023-05-15 12:19:43 +00:00
let i = 0, x = 1;
2023-05-19 11:47:36 +00:00
for (let org of conOrgs) {
spinner.text = `Syncing ${i} supply lines of [${x++}|${conOrgs.length}] organizations...`
const params = new URLSearchParams({
2023-05-19 11:47:36 +00:00
supplierOrganizationId: org.organizationId,
}).toString();
let supplyLines = (await vnRequest('GET',`${env.API_URL}/supply-lines?${params}`, null, null, spinner)).data;
if (!supplyLines.length) continue
2023-05-15 12:19:43 +00:00
for (let supplyLine of supplyLines) {
// Check if the warehouse exists, and if it doesn't, create it
let warehouse = await models.warehouse.findOne({
where: { warehouseId: supplyLine.warehouseId }
});
if (!warehouse) {
let warehouse = (await vnRequest('GET', `${env.API_URL}/warehouses/${supplyLine.warehouseId}`, null, null, spinner)).data;
2023-05-18 12:06:11 +00:00
// Check if the organization exists, and if it doesn't, create it
let organization = await models.organization.findOne({
where: { organizationId: warehouse.organizationId }
});
if (!organization) {
let organization = (await vnRequest('GET', `${env.API_URL}/organizations/${warehouse.organizationId}`, null, null, spinner)).data;
2023-05-18 12:06:11 +00:00
await insertOrganization(organization);
}
await insertWarehouse(warehouse);
2023-05-15 12:19:43 +00:00
}
2023-05-18 12:06:11 +00:00
// Check if the trade item exists, and if it doesn't, create it
let tradeItem = await models.tradeItem.findOne({
where: { tradeItemId: supplyLine.tradeItemId }
});
if (!tradeItem) {
let tradeItem = (await vnRequest('GET', `${env.API_URL}/trade-items/${supplyLine.tradeItemId}`, null, null, spinner)).data;
2023-05-18 12:06:11 +00:00
await insertItem(tradeItem);
}
2023-05-19 11:47:36 +00:00
spinner.text = `Syncing ${i++} supply lines of [${x}|${conOrgs.length}] organizations...`
2023-05-15 12:19:43 +00:00
await models.supplyLine.upsert({
...supplyLine,
organizationId: supplyLine.supplierOrganizationId,
2023-05-18 12:06:11 +00:00
pricePerPiece_currency: supplyLine.pricePerPiece?.currency ?? null,
pricePerPiece_value: supplyLine.pricePerPiece?.value ?? null,
deliveryPeriod_startDateTime: supplyLine.deliveryPeriod?.startDateTime ?? null,
deliveryPeriod_endDateTime: supplyLine.deliveryPeriod?.endDateTime ?? null,
orderPeriod_startDateTime: supplyLine.orderPeriod?.startDateTime ?? null,
orderPeriod_endDateTime: supplyLine.orderPeriod?.endDateTime ?? null,
agreementReference_code: supplyLine.agreementReference?.code ?? null,
agreementReference_description: supplyLine.agreementReference?.description ?? null,
2023-05-15 12:19:43 +00:00
lastSync: moment(),
});
for (let volumePrice of supplyLine.volumePrices)
await models.volumePrice.upsert({
2023-05-15 12:19:43 +00:00
supplyLineId: supplyLine.supplyLineId,
2023-05-19 11:47:36 +00:00
...volumePrice,
2023-05-15 12:19:43 +00:00
});
}
}
spinner.succeed();
}
catch (err) {
spinner.fail();
throw err;
}
}
2023-05-30 09:22:39 +00:00
/**
* Sync the lock presales supply for supply lines of today.
*/
export async function syncClockPresalesSupply() {
const spinner = ora(`Syncing clock presales supply...`).start();
const supplyLines = await models.supplyLine.findAll({
attributes: ['supplyLineId'],
where: {
lastSync: {
[Op.between]: [moment().startOf('day').toDate(), moment().endOf('day').toDate()]
}
}
});
let i = 0, x = 1;
for (let supplyLine of supplyLines) {
spinner.text = `Syncing ${i} clock presales supplies of [${x++}|${supplyLines.length}] supply lines...`
try {
let response = await vnRequest('GET', `${env.API_URL}/auction/clock-presales-supply/${supplyLine.supplyLineId}`, null, null, spinner)
if (response.response.status == 404) continue; // Not Found
const clockPresalesSupplies = response.data;
for (let clockPresalesSupply of clockPresalesSupplies) {
// Check if the organization exists, and if it doesn't, create it
let organization = await models.organization.findOne({
where: { organizationId: clockPresalesSupply.supplierOrganizationId }
});
if (!organization) {
let organization = (await vnRequest('GET', `${env.API_URL}/organizations/${clockPresalesSupply.supplierOrganizationId}`, null, null, spinner)).data;
await insertOrganization(organization);
}
// Check if the trade item exists, and if it doesn't, create it
let tradeItem = await models.tradeItem.findOne({
where: { tradeItemId: clockPresalesSupply.tradeItemId }
});
if (!tradeItem) {
let tradeItem = (await vnRequest('GET', `${env.API_URL}/trade-items/${clockPresalesSupply.tradeItemId}`, null, null, spinner)).data;
await insertItem(tradeItem);
}
await insertClockPresalesSupply(clockPresalesSupply);
spinner.text = `Syncing ${i++} clock presales supplies of [${x}|${supplyLines.length}] supply lines...`
};
} catch (err) {
spinner.fail();
throw err;
}
}
spinner.succeed()
}
/**
2023-05-19 11:47:36 +00:00
* Insert trade item and dependences in the database.
*
2023-05-19 06:47:32 +00:00
* @param {Array} tradeItem
*/
export async function insertItem(tradeItem) {
2023-05-19 11:47:36 +00:00
const tx = await models.sequelize.transaction();
2023-04-24 10:46:06 +00:00
try {
2023-05-09 12:13:19 +00:00
// Upsert trade item
2023-04-24 10:46:06 +00:00
await models.tradeItem.upsert({
2023-05-09 12:13:19 +00:00
...tradeItem,
organizationId: tradeItem.supplierOrganizationId,
2023-05-15 12:19:43 +00:00
lastSync: moment(),
2023-05-09 12:13:19 +00:00
}, { transaction: tx });
2023-04-24 10:46:06 +00:00
2023-05-09 12:13:19 +00:00
// Upsert characteristics
if (tradeItem.characteristics)
2023-05-15 12:19:43 +00:00
if (tradeItem.characteristics.length)
for (const characteristic of tradeItem.characteristics) {
await models.characteristic.upsert({
tradeItemId: tradeItem.tradeItemId,
2023-05-19 11:47:36 +00:00
...characteristic,
2023-05-15 12:19:43 +00:00
}, { transaction: tx });
}
2023-05-09 12:13:19 +00:00
// Upsert seasonal periods
if (tradeItem.seasonalPeriods)
2023-05-15 12:19:43 +00:00
if (tradeItem.seasonalPeriods.length)
for (const seasonalPeriod of tradeItem.seasonalPeriods) {
await models.seasonalPeriod.upsert({
tradeItemId: tradeItem.tradeItemId,
2023-05-19 11:47:36 +00:00
...seasonalPeriod,
2023-05-15 12:19:43 +00:00
}, { transaction: tx });
}
2023-04-24 10:46:06 +00:00
2023-05-09 12:13:19 +00:00
// Upsert photos
if (tradeItem.photos)
2023-05-15 12:19:43 +00:00
if (tradeItem.photos.length)
for (const photo of tradeItem.photos) {
await models.photo.upsert({
...photo,
tradeItemId: tradeItem.tradeItemId,
}, { transaction: tx });
}
2023-04-24 10:46:06 +00:00
2023-05-09 12:13:19 +00:00
// Upsert packing configurations
if (tradeItem.packingConfigurations)
2023-05-15 12:19:43 +00:00
if (tradeItem.packingConfigurations.length)
for (const packingConfiguration of tradeItem.packingConfigurations) {
const uuid = uuidv4();
await models.packingConfiguration.upsert({
packingConfigurationId: uuid,
...packingConfiguration,
additionalPricePerPiece_currency: packingConfiguration.additionalPricePerPiece.currency,
additionalPricePerPiece_value: packingConfiguration.additionalPricePerPiece.value,
tradeItemId: tradeItem.tradeItemId,
}, { transaction: tx });
await models.package.upsert({
...packingConfiguration.package,
packingConfigurationId: uuid,
2023-05-15 12:19:43 +00:00
}, { transaction: tx });
}
2023-04-24 10:46:06 +00:00
2023-05-09 12:13:19 +00:00
// Upsert country of origin ISO codes
if (tradeItem.countryOfOriginIsoCodes)
2023-05-15 12:19:43 +00:00
if (tradeItem.countryOfOriginIsoCodes.length)
for (const isoCode of tradeItem.countryOfOriginIsoCodes || []) {
await models.countryOfOriginIsoCode.upsert({
isoCode,
tradeItemId: tradeItem.tradeItemId,
}, { transaction: tx });
}
2023-04-24 10:46:06 +00:00
2023-05-09 12:13:19 +00:00
// Upsert botanical names
if (tradeItem.botanicalNames)
2023-05-15 12:19:43 +00:00
if (tradeItem.botanicalNames.length)
for (const botanicalName of tradeItem.botanicalNames) {
await models.botanicalName.upsert({
botanicalNameId: uuidv4(),
2023-05-15 12:19:43 +00:00
name: botanicalName,
tradeItemId: tradeItem.tradeItemId,
}, { transaction: tx });
}
2023-04-24 10:46:06 +00:00
await tx.commit();
2023-05-09 12:13:19 +00:00
} catch (err) {
2023-04-24 10:46:06 +00:00
await tx.rollback();
throw err;
2023-04-24 10:46:06 +00:00
}
2023-02-14 12:34:54 +00:00
}
2023-05-30 09:22:39 +00:00
/**
* Insert clock presales supply in the database.
*
* @param {Array} clockPresaleSupply
2023-05-30 09:22:39 +00:00
*/
export async function insertClockPresalesSupply(clockPresaleSupply) {
2023-05-30 09:22:39 +00:00
const tx = await models.sequelize.transaction();
try {
await models.clockPresaleSupply.upsert({
...clockPresaleSupply,
pricePerPiece_currency: clockPresaleSupply.pricePerPiece.currency,
pricePerPiece_value: clockPresaleSupply.pricePerPiece.value,
organizationId: clockPresaleSupply.supplierOrganizationId,
2023-05-30 09:22:39 +00:00
});
await tx.commit();
} catch (err) {
await tx.rollback();
throw err;
}
}
/**
2023-05-19 11:47:36 +00:00
* Insert warehouse in the database.
*
2023-05-19 06:47:32 +00:00
* @param {Array} warehouse
*/
export async function insertWarehouse(warehouse) {
2023-05-19 11:47:36 +00:00
const tx = await models.sequelize.transaction();
try {
await models.warehouse.upsert({
...warehouse,
location_gln: warehouse.location.gln,
location_address_addressLine: warehouse.location.address.addressLine,
location_address_city: warehouse.location.address.city,
location_address_countryCode: warehouse.location.address.countryCode,
location_address_postalCode: warehouse.location.address.postalCode,
location_address_stateOrProvince: warehouse.location.address.stateOrProvince,
lastSync: moment(),
});
await tx.commit();
} catch (err) {
await tx.rollback();
throw err;
}
}
2023-05-18 12:06:11 +00:00
/**
2023-05-19 11:47:36 +00:00
* Insert organization in the database.
*
2023-05-19 06:47:32 +00:00
* @param {Array} organization
2023-05-18 12:06:11 +00:00
*/
export async function insertOrganization(organization) {
2023-05-19 11:47:36 +00:00
const tx = await models.sequelize.transaction();
2023-05-18 12:06:11 +00:00
try {
await models.organization.upsert({
...organization,
2023-05-19 11:47:36 +00:00
isConnected: JSON.parse(env.ORGS_ALWAYS_CONN),
2023-05-18 12:06:11 +00:00
lastSync: moment(),
});
await tx.commit();
} catch (err) {
await tx.rollback();
throw err;
}
}
2023-05-16 08:24:04 +00:00
/**
2023-05-19 11:47:36 +00:00
* Sync the warehouses for organizations that are connected.
2023-05-16 08:24:04 +00:00
**/
export async function syncWarehouses(){
let spinner = ora('Syncing warehouses...').start();
try {
2023-05-19 11:47:36 +00:00
const orgs = await models.organization.findAll({
where: { isConnected: true }
});
let x = 0, i = 0;
2023-05-19 11:47:36 +00:00
for (let org of orgs) {
spinner.text = `Syncing ${i} warehouses of [${x++}|${orgs.length}] organizations...`
const warehouses = (await vnRequest('GET', `${env.API_URL}/organizations/supplier/${org.organizationId}/warehouses`, null, null, spinner)).data;
2023-05-16 08:24:04 +00:00
for (let warehouse of warehouses) {
2023-05-19 11:47:36 +00:00
spinner.text = `Syncing ${i++} warehouses of [${x}|${orgs.length}] organizations...`
await insertWarehouse(warehouse);
2023-05-16 08:24:04 +00:00
}
}
spinner.succeed();
2023-05-16 08:24:04 +00:00
}
catch (err) {
spinner.fail();
throw new Error(err);
}
}
/**
2023-05-19 11:47:36 +00:00
* Removes Floriday connections that we don't have in the database.
**/
export async function deleteConnections() {
let spinner;
try {
let i = 1;
const connectionsInFloriday = (await vnRequest('GET', `${env.API_URL}/connections`, null, null, spinner)).data;
const connectionsInDb = await models.organization.findAll({
attributes: ['organizationId'],
where: { isConnected: true }
});
let isExists = false, ghostConnections = [];
for (let connectionInFloriday of connectionsInFloriday) {
for (let connectionInDb of connectionsInDb)
if (connectionInFloriday == connectionInDb.organizationId) {
isExists = true;
break;
}
if (!isExists) ghostConnections.push(connectionInFloriday)
isExists = false;
}
2023-05-19 06:47:32 +00:00
if (ghostConnections.length) spinner = ora(`Deleting connections that aren't in the db...`).start();
for (let connection of ghostConnections) {
await vnRequest('DELETE', `${env.API_URL}/connections/${connection}`, null, null, spinner);
spinner.text = `Deleting ${i++} of ${ghostConnections.length} that aren't in the db...`
}
if (spinner) spinner.succeed();
} catch (err) {
if (spinner) spinner.fail();
criticalError(err);
}
}
/**
2023-05-19 11:47:36 +00:00
* Perform a REST request.
*
2023-05-19 06:47:32 +00:00
* @param {String} url
* @param {String} method
* @param {Array} body
* @param {Array} header
* @param {Array} spinner
2023-05-19 11:47:36 +00:00
*
2023-05-19 06:47:32 +00:00
* @return {Array}
**/
export async function vnRequest(method, url, data, headers, spinner) {
2023-05-17 08:59:27 +00:00
if (!headers)
headers = {
'Content-Type': 'application/json',
'Authorization': `Bearer ${await getCurrentToken()}`,
'X-Api-Key': process.env.API_KEY,
};
while(true) {
try {
2023-05-19 06:47:32 +00:00
return (['GET', 'DELETE'].includes(method))
? await axios({method, url, headers})
: await axios({method, url, data, headers});
} catch (err) {
switch (err.code) {
case 'ECONNRESET': // Client network socket TLS
case 'EAI_AGAIN': // getaddrinfo
2023-05-22 09:46:01 +00:00
if (spinner) spinner.warn();
warning(err);
await sleep(1000);
2023-05-22 09:46:01 +00:00
if (spinner) spinner.start();
break;
case 'ECONNABORTED':
case 'ECONNREFUSED':
case 'ERR_BAD_REQUEST':
switch (err.response.status) {
2023-05-30 09:22:39 +00:00
case 404: // Not found
return err;
case 504:
case 502:
if (spinner) spinner.warn();
warning(err);
await sleep(1000);
if (spinner) spinner.start();
break;
case 429: // Too Many Requests
if (spinner) spinner.warn();
warning(err);
2023-05-30 09:22:39 +00:00
await sleep(60000);
if (spinner) spinner.start();
break;
case 401: // Unauthorized
if (spinner) spinner.warn();
warning(err);
await requestToken(true);
headers.Authorization
? headers.Authorization = `Bearer ${await getCurrentToken()}`
: criticalError(err);
if (spinner) spinner.start();
break;
default:
if (spinner) spinner.warn();
warning(err);
await sleep(env.MS_RETRY_UNHANDLED_ERROR);
if (spinner) spinner.start();
break;
}
break;
default:
if (spinner) spinner.warn();
warning(err);
await sleep(env.MS_RETRY_UNHANDLED_ERROR);
if (spinner) spinner.start();
break;
}
2023-05-15 12:19:43 +00:00
}
2023-05-19 11:47:36 +00:00
}
}
/**
2023-05-19 11:47:36 +00:00
* Critical error.
*
* @param {err}
**/
export async function criticalError(err) {
2023-05-19 06:47:32 +00:00
console.log(chalk.red.bold(`[CRITICAL]`), chalk.red(err.message));
2023-04-24 10:46:06 +00:00
process.exit();
}
/**
2023-05-19 11:47:36 +00:00
* Warning.
*
* @param {err}
**/
export async function warning(err) {
(err.response?.status && err.response?.data?.message)
? (console.log(chalk.yellow.bold(`[WARNING]`), chalk.yellow(`${err.response.status} - ${err.response.data.message}`)))
: (console.log(chalk.yellow.bold(`[WARNING]`), chalk.yellow(err.message)));
}