Compare commits

...

1 Commits

Author SHA1 Message Date
Flatlogic Bot
fd3cc14157 nestorly-poc-v2025-08-04 2025-08-04 12:33:21 +00:00
51 changed files with 6700 additions and 4 deletions

File diff suppressed because one or more lines are too long

View File

@ -0,0 +1,290 @@
const db = require('../models');
const crypto = require('crypto');
const Utils = require('../utils');
const Sequelize = db.Sequelize;
const Op = Sequelize.Op;
module.exports = class Chatbot_entriesDBApi {
static async create(data, options) {
const currentUser = (options && options.currentUser) || { id: null };
const transaction = (options && options.transaction) || undefined;
const chatbot_entries = await db.chatbot_entries.create(
{
id: data.id || undefined,
question: data.question
||
null
,
answer: data.answer
||
null
,
importHash: data.importHash || null,
createdById: currentUser.id,
updatedById: currentUser.id,
},
{ transaction },
);
return chatbot_entries;
}
static async bulkImport(data, options) {
const currentUser = (options && options.currentUser) || { id: null };
const transaction = (options && options.transaction) || undefined;
// Prepare data - wrapping individual data transformations in a map() method
const chatbot_entriesData = data.map((item, index) => ({
id: item.id || undefined,
question: item.question
||
null
,
answer: item.answer
||
null
,
importHash: item.importHash || null,
createdById: currentUser.id,
updatedById: currentUser.id,
createdAt: new Date(Date.now() + index * 1000),
}));
// Bulk create items
const chatbot_entries = await db.chatbot_entries.bulkCreate(chatbot_entriesData, { transaction });
return chatbot_entries;
}
static async update(id, data, options) {
const currentUser = (options && options.currentUser) || {id: null};
const transaction = (options && options.transaction) || undefined;
const chatbot_entries = await db.chatbot_entries.findByPk(id, {}, {transaction});
const updatePayload = {};
if (data.question !== undefined) updatePayload.question = data.question;
if (data.answer !== undefined) updatePayload.answer = data.answer;
updatePayload.updatedById = currentUser.id;
await chatbot_entries.update(updatePayload, {transaction});
return chatbot_entries;
}
static async deleteByIds(ids, options) {
const currentUser = (options && options.currentUser) || { id: null };
const transaction = (options && options.transaction) || undefined;
const chatbot_entries = await db.chatbot_entries.findAll({
where: {
id: {
[Op.in]: ids,
},
},
transaction,
});
await db.sequelize.transaction(async (transaction) => {
for (const record of chatbot_entries) {
await record.update(
{deletedBy: currentUser.id},
{transaction}
);
}
for (const record of chatbot_entries) {
await record.destroy({transaction});
}
});
return chatbot_entries;
}
static async remove(id, options) {
const currentUser = (options && options.currentUser) || {id: null};
const transaction = (options && options.transaction) || undefined;
const chatbot_entries = await db.chatbot_entries.findByPk(id, options);
await chatbot_entries.update({
deletedBy: currentUser.id
}, {
transaction,
});
await chatbot_entries.destroy({
transaction
});
return chatbot_entries;
}
static async findBy(where, options) {
const transaction = (options && options.transaction) || undefined;
const chatbot_entries = await db.chatbot_entries.findOne(
{ where },
{ transaction },
);
if (!chatbot_entries) {
return chatbot_entries;
}
const output = chatbot_entries.get({plain: true});
return output;
}
static async findAll(filter, options) {
const limit = filter.limit || 0;
let offset = 0;
let where = {};
const currentPage = +filter.page;
const user = (options && options.currentUser) || null;
offset = currentPage * limit;
const orderBy = null;
const transaction = (options && options.transaction) || undefined;
let include = [];
if (filter) {
if (filter.id) {
where = {
...where,
['id']: Utils.uuid(filter.id),
};
}
if (filter.question) {
where = {
...where,
[Op.and]: Utils.ilike(
'chatbot_entries',
'question',
filter.question,
),
};
}
if (filter.answer) {
where = {
...where,
[Op.and]: Utils.ilike(
'chatbot_entries',
'answer',
filter.answer,
),
};
}
if (filter.active !== undefined) {
where = {
...where,
active: filter.active === true || filter.active === 'true'
};
}
if (filter.createdAtRange) {
const [start, end] = filter.createdAtRange;
if (start !== undefined && start !== null && start !== '') {
where = {
...where,
['createdAt']: {
...where.createdAt,
[Op.gte]: start,
},
};
}
if (end !== undefined && end !== null && end !== '') {
where = {
...where,
['createdAt']: {
...where.createdAt,
[Op.lte]: end,
},
};
}
}
}
const queryOptions = {
where,
include,
distinct: true,
order: filter.field && filter.sort
? [[filter.field, filter.sort]]
: [['createdAt', 'desc']],
transaction: options?.transaction,
logging: console.log
};
if (!options?.countOnly) {
queryOptions.limit = limit ? Number(limit) : undefined;
queryOptions.offset = offset ? Number(offset) : undefined;
}
try {
const { rows, count } = await db.chatbot_entries.findAndCountAll(queryOptions);
return {
rows: options?.countOnly ? [] : rows,
count: count
};
} catch (error) {
console.error('Error executing query:', error);
throw error;
}
}
static async findAllAutocomplete(query, limit, offset) {
let where = {};
if (query) {
where = {
[Op.or]: [
{ ['id']: Utils.uuid(query) },
Utils.ilike(
'chatbot_entries',
'answer',
query,
),
],
};
}
const records = await db.chatbot_entries.findAll({
attributes: [ 'id', 'answer' ],
where,
limit: limit ? Number(limit) : undefined,
offset: offset ? Number(offset) : undefined,
orderBy: [['answer', 'ASC']],
});
return records.map((record) => ({
id: record.id,
label: record.answer,
}));
}
};

View File

@ -0,0 +1,480 @@
const db = require('../models');
const crypto = require('crypto');
const Utils = require('../utils');
const Sequelize = db.Sequelize;
const Op = Sequelize.Op;
module.exports = class Hoa_parametersDBApi {
static async create(data, options) {
const currentUser = (options && options.currentUser) || { id: null };
const transaction = (options && options.transaction) || undefined;
const hoa_parameters = await db.hoa_parameters.create(
{
id: data.id || undefined,
units_per_hoa: data.units_per_hoa
||
null
,
unit_types: data.unit_types
||
null
,
vendor_categories: data.vendor_categories
||
null
,
faq_limit: data.faq_limit
||
null
,
doc_limit: data.doc_limit
||
null
,
chatbot_suggestion_count: data.chatbot_suggestion_count
||
null
,
reminder_periods: data.reminder_periods
||
null
,
escalation_timeframes: data.escalation_timeframes
||
null
,
importHash: data.importHash || null,
createdById: currentUser.id,
updatedById: currentUser.id,
},
{ transaction },
);
return hoa_parameters;
}
static async bulkImport(data, options) {
const currentUser = (options && options.currentUser) || { id: null };
const transaction = (options && options.transaction) || undefined;
// Prepare data - wrapping individual data transformations in a map() method
const hoa_parametersData = data.map((item, index) => ({
id: item.id || undefined,
units_per_hoa: item.units_per_hoa
||
null
,
unit_types: item.unit_types
||
null
,
vendor_categories: item.vendor_categories
||
null
,
faq_limit: item.faq_limit
||
null
,
doc_limit: item.doc_limit
||
null
,
chatbot_suggestion_count: item.chatbot_suggestion_count
||
null
,
reminder_periods: item.reminder_periods
||
null
,
escalation_timeframes: item.escalation_timeframes
||
null
,
importHash: item.importHash || null,
createdById: currentUser.id,
updatedById: currentUser.id,
createdAt: new Date(Date.now() + index * 1000),
}));
// Bulk create items
const hoa_parameters = await db.hoa_parameters.bulkCreate(hoa_parametersData, { transaction });
return hoa_parameters;
}
static async update(id, data, options) {
const currentUser = (options && options.currentUser) || {id: null};
const transaction = (options && options.transaction) || undefined;
const hoa_parameters = await db.hoa_parameters.findByPk(id, {}, {transaction});
const updatePayload = {};
if (data.units_per_hoa !== undefined) updatePayload.units_per_hoa = data.units_per_hoa;
if (data.unit_types !== undefined) updatePayload.unit_types = data.unit_types;
if (data.vendor_categories !== undefined) updatePayload.vendor_categories = data.vendor_categories;
if (data.faq_limit !== undefined) updatePayload.faq_limit = data.faq_limit;
if (data.doc_limit !== undefined) updatePayload.doc_limit = data.doc_limit;
if (data.chatbot_suggestion_count !== undefined) updatePayload.chatbot_suggestion_count = data.chatbot_suggestion_count;
if (data.reminder_periods !== undefined) updatePayload.reminder_periods = data.reminder_periods;
if (data.escalation_timeframes !== undefined) updatePayload.escalation_timeframes = data.escalation_timeframes;
updatePayload.updatedById = currentUser.id;
await hoa_parameters.update(updatePayload, {transaction});
return hoa_parameters;
}
static async deleteByIds(ids, options) {
const currentUser = (options && options.currentUser) || { id: null };
const transaction = (options && options.transaction) || undefined;
const hoa_parameters = await db.hoa_parameters.findAll({
where: {
id: {
[Op.in]: ids,
},
},
transaction,
});
await db.sequelize.transaction(async (transaction) => {
for (const record of hoa_parameters) {
await record.update(
{deletedBy: currentUser.id},
{transaction}
);
}
for (const record of hoa_parameters) {
await record.destroy({transaction});
}
});
return hoa_parameters;
}
static async remove(id, options) {
const currentUser = (options && options.currentUser) || {id: null};
const transaction = (options && options.transaction) || undefined;
const hoa_parameters = await db.hoa_parameters.findByPk(id, options);
await hoa_parameters.update({
deletedBy: currentUser.id
}, {
transaction,
});
await hoa_parameters.destroy({
transaction
});
return hoa_parameters;
}
static async findBy(where, options) {
const transaction = (options && options.transaction) || undefined;
const hoa_parameters = await db.hoa_parameters.findOne(
{ where },
{ transaction },
);
if (!hoa_parameters) {
return hoa_parameters;
}
const output = hoa_parameters.get({plain: true});
return output;
}
static async findAll(filter, options) {
const limit = filter.limit || 0;
let offset = 0;
let where = {};
const currentPage = +filter.page;
const user = (options && options.currentUser) || null;
offset = currentPage * limit;
const orderBy = null;
const transaction = (options && options.transaction) || undefined;
let include = [];
if (filter) {
if (filter.id) {
where = {
...where,
['id']: Utils.uuid(filter.id),
};
}
if (filter.unit_types) {
where = {
...where,
[Op.and]: Utils.ilike(
'hoa_parameters',
'unit_types',
filter.unit_types,
),
};
}
if (filter.vendor_categories) {
where = {
...where,
[Op.and]: Utils.ilike(
'hoa_parameters',
'vendor_categories',
filter.vendor_categories,
),
};
}
if (filter.reminder_periods) {
where = {
...where,
[Op.and]: Utils.ilike(
'hoa_parameters',
'reminder_periods',
filter.reminder_periods,
),
};
}
if (filter.escalation_timeframes) {
where = {
...where,
[Op.and]: Utils.ilike(
'hoa_parameters',
'escalation_timeframes',
filter.escalation_timeframes,
),
};
}
if (filter.units_per_hoaRange) {
const [start, end] = filter.units_per_hoaRange;
if (start !== undefined && start !== null && start !== '') {
where = {
...where,
units_per_hoa: {
...where.units_per_hoa,
[Op.gte]: start,
},
};
}
if (end !== undefined && end !== null && end !== '') {
where = {
...where,
units_per_hoa: {
...where.units_per_hoa,
[Op.lte]: end,
},
};
}
}
if (filter.faq_limitRange) {
const [start, end] = filter.faq_limitRange;
if (start !== undefined && start !== null && start !== '') {
where = {
...where,
faq_limit: {
...where.faq_limit,
[Op.gte]: start,
},
};
}
if (end !== undefined && end !== null && end !== '') {
where = {
...where,
faq_limit: {
...where.faq_limit,
[Op.lte]: end,
},
};
}
}
if (filter.doc_limitRange) {
const [start, end] = filter.doc_limitRange;
if (start !== undefined && start !== null && start !== '') {
where = {
...where,
doc_limit: {
...where.doc_limit,
[Op.gte]: start,
},
};
}
if (end !== undefined && end !== null && end !== '') {
where = {
...where,
doc_limit: {
...where.doc_limit,
[Op.lte]: end,
},
};
}
}
if (filter.chatbot_suggestion_countRange) {
const [start, end] = filter.chatbot_suggestion_countRange;
if (start !== undefined && start !== null && start !== '') {
where = {
...where,
chatbot_suggestion_count: {
...where.chatbot_suggestion_count,
[Op.gte]: start,
},
};
}
if (end !== undefined && end !== null && end !== '') {
where = {
...where,
chatbot_suggestion_count: {
...where.chatbot_suggestion_count,
[Op.lte]: end,
},
};
}
}
if (filter.active !== undefined) {
where = {
...where,
active: filter.active === true || filter.active === 'true'
};
}
if (filter.createdAtRange) {
const [start, end] = filter.createdAtRange;
if (start !== undefined && start !== null && start !== '') {
where = {
...where,
['createdAt']: {
...where.createdAt,
[Op.gte]: start,
},
};
}
if (end !== undefined && end !== null && end !== '') {
where = {
...where,
['createdAt']: {
...where.createdAt,
[Op.lte]: end,
},
};
}
}
}
const queryOptions = {
where,
include,
distinct: true,
order: filter.field && filter.sort
? [[filter.field, filter.sort]]
: [['createdAt', 'desc']],
transaction: options?.transaction,
logging: console.log
};
if (!options?.countOnly) {
queryOptions.limit = limit ? Number(limit) : undefined;
queryOptions.offset = offset ? Number(offset) : undefined;
}
try {
const { rows, count } = await db.hoa_parameters.findAndCountAll(queryOptions);
return {
rows: options?.countOnly ? [] : rows,
count: count
};
} catch (error) {
console.error('Error executing query:', error);
throw error;
}
}
static async findAllAutocomplete(query, limit, offset) {
let where = {};
if (query) {
where = {
[Op.or]: [
{ ['id']: Utils.uuid(query) },
Utils.ilike(
'hoa_parameters',
'id',
query,
),
],
};
}
const records = await db.hoa_parameters.findAll({
attributes: [ 'id', 'id' ],
where,
limit: limit ? Number(limit) : undefined,
offset: offset ? Number(offset) : undefined,
orderBy: [['id', 'ASC']],
});
return records.map((record) => ({
id: record.id,
label: record.id,
}));
}
};

View File

@ -0,0 +1,59 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'hoaId',
{
type: Sequelize.DataTypes.UUID,
references: {
model: 'hoas',
key: 'id',
},
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'hoaId',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'units_per_hoa',
{
type: Sequelize.DataTypes.INTEGER,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'units_per_hoa',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'unit_types',
{
type: Sequelize.DataTypes.TEXT,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'unit_types',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'vendor_categories',
{
type: Sequelize.DataTypes.TEXT,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'vendor_categories',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'faq_limit',
{
type: Sequelize.DataTypes.INTEGER,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'faq_limit',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'doc_limit',
{
type: Sequelize.DataTypes.INTEGER,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'doc_limit',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'chatbot_suggestion_count',
{
type: Sequelize.DataTypes.INTEGER,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'chatbot_suggestion_count',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,91 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.createTable('chatbot_entries', {
id: {
type: Sequelize.DataTypes.UUID,
defaultValue: Sequelize.DataTypes.UUIDV4,
primaryKey: true,
},
createdById: {
type: Sequelize.DataTypes.UUID,
references: {
key: 'id',
model: 'users',
},
},
updatedById: {
type: Sequelize.DataTypes.UUID,
references: {
key: 'id',
model: 'users',
},
},
createdAt: { type: Sequelize.DataTypes.DATE },
updatedAt: { type: Sequelize.DataTypes.DATE },
deletedAt: { type: Sequelize.DataTypes.DATE },
importHash: {
type: Sequelize.DataTypes.STRING(255),
allowNull: true,
unique: true,
},
}, { transaction });
await queryInterface.addColumn(
'chatbot_entries',
'hoasId',
{
type: Sequelize.DataTypes.UUID,
references: {
model: 'hoas',
key: 'id',
},
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'chatbot_entries',
'hoasId',
{ transaction }
);
await queryInterface.dropTable('chatbot_entries', { transaction });
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'chatbot_entries',
'question',
{
type: Sequelize.DataTypes.TEXT,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'chatbot_entries',
'question',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'chatbot_entries',
'answer',
{
type: Sequelize.DataTypes.TEXT,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'chatbot_entries',
'answer',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,59 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'chatbot_entries',
'created_byId',
{
type: Sequelize.DataTypes.UUID,
references: {
model: 'users',
key: 'id',
},
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'chatbot_entries',
'created_byId',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'reminder_periods',
{
type: Sequelize.DataTypes.TEXT,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'reminder_periods',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,54 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'hoa_parameters',
'escalation_timeframes',
{
type: Sequelize.DataTypes.TEXT,
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'hoa_parameters',
'escalation_timeframes',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,59 @@
module.exports = {
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async up(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.addColumn(
'chatbot_entries',
'hoaId',
{
type: Sequelize.DataTypes.UUID,
references: {
model: 'hoas',
key: 'id',
},
},
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
},
/**
* @param {QueryInterface} queryInterface
* @param {Sequelize} Sequelize
* @returns {Promise<void>}
*/
async down(queryInterface, Sequelize) {
/**
* @type {Transaction}
*/
const transaction = await queryInterface.sequelize.transaction();
try {
await queryInterface.removeColumn(
'chatbot_entries',
'hoaId',
{ transaction }
);
await transaction.commit();
} catch (err) {
await transaction.rollback();
throw err;
}
}
};

View File

@ -0,0 +1,53 @@
const config = require('../../config');
const providers = config.providers;
const crypto = require('crypto');
const bcrypt = require('bcrypt');
const moment = require('moment');
module.exports = function(sequelize, DataTypes) {
const chatbot_entries = sequelize.define(
'chatbot_entries',
{
id: {
type: DataTypes.UUID,
defaultValue: DataTypes.UUIDV4,
primaryKey: true,
},
question: {
type: DataTypes.TEXT,
},
answer: {
type: DataTypes.TEXT,
},
importHash: {
type: DataTypes.STRING(255),
allowNull: true,
unique: true,
},
},
{
timestamps: true,
paranoid: true,
freezeTableName: true,
},
);
chatbot_entries.associate = (db) => {
db.chatbot_entries.belongsTo(db.users, {
as: 'createdBy',
});
db.chatbot_entries.belongsTo(db.users, {
as: 'updatedBy',
});
};
return chatbot_entries;
};

View File

@ -0,0 +1,83 @@
const config = require('../../config');
const providers = config.providers;
const crypto = require('crypto');
const bcrypt = require('bcrypt');
const moment = require('moment');
module.exports = function(sequelize, DataTypes) {
const hoa_parameters = sequelize.define(
'hoa_parameters',
{
id: {
type: DataTypes.UUID,
defaultValue: DataTypes.UUIDV4,
primaryKey: true,
},
units_per_hoa: {
type: DataTypes.INTEGER,
},
unit_types: {
type: DataTypes.TEXT,
},
vendor_categories: {
type: DataTypes.TEXT,
},
faq_limit: {
type: DataTypes.INTEGER,
},
doc_limit: {
type: DataTypes.INTEGER,
},
chatbot_suggestion_count: {
type: DataTypes.INTEGER,
},
reminder_periods: {
type: DataTypes.TEXT,
},
escalation_timeframes: {
type: DataTypes.TEXT,
},
importHash: {
type: DataTypes.STRING(255),
allowNull: true,
unique: true,
},
},
{
timestamps: true,
paranoid: true,
freezeTableName: true,
},
);
hoa_parameters.associate = (db) => {
db.hoa_parameters.belongsTo(db.users, {
as: 'createdBy',
});
db.hoa_parameters.belongsTo(db.users, {
as: 'updatedBy',
});
};
return hoa_parameters;
};

View File

@ -0,0 +1,71 @@
const { v4: uuid } = require("uuid");
const db = require('../models');
const Sequelize = require('sequelize');
const config = require("../../config");
module.exports = {
/**
* @param{import("sequelize").QueryInterface} queryInterface
* @return {Promise<void>}
*/
async up(queryInterface) {
const createdAt = new Date();
const updatedAt = new Date();
/** @type {Map<string, string>} */
const idMap = new Map();
/**
* @param {string} key
* @return {string}
*/
function getId(key) {
if (idMap.has(key)) {
return idMap.get(key);
}
const id = uuid();
idMap.set(key, id);
return id;
}
/**
* @param {string} name
*/
function createPermissions(name) {
return [
{ id: getId(`CREATE_${name.toUpperCase()}`), createdAt, updatedAt, name: `CREATE_${name.toUpperCase()}` },
{ id: getId(`READ_${name.toUpperCase()}`), createdAt, updatedAt, name: `READ_${name.toUpperCase()}` },
{ id: getId(`UPDATE_${name.toUpperCase()}`), createdAt, updatedAt, name: `UPDATE_${name.toUpperCase()}` },
{ id: getId(`DELETE_${name.toUpperCase()}`), createdAt, updatedAt, name: `DELETE_${name.toUpperCase()}` }
];
}
const entities = [
"chatbot_entries",
];
const createdPermissions = entities.flatMap(createPermissions);
// Add permissions to database
await queryInterface.bulkInsert("permissions", createdPermissions);
// Get permissions ids
const permissionsIds = createdPermissions.map((p) => p.id);
// Get admin role
const adminRole = await db.roles.findOne({
where: {name: config.roles.super_admin}
});
if (adminRole) {
// Add permissions to admin role if it exists
await adminRole.addPermissions(permissionsIds);
}
},
down: async (queryInterface, Sequelize) => {
await queryInterface.bulkDelete("permissions", entities.flatMap(createPermissions));
}
};

View File

@ -38,6 +38,14 @@ const permissionsRoutes = require('./routes/permissions');
const hoasRoutes = require('./routes/hoas');
const request_typesRoutes = require('./routes/request_types');
const global_parametersRoutes = require('./routes/global_parameters');
const hoa_parametersRoutes = require('./routes/hoa_parameters');
const chatbot_entriesRoutes = require('./routes/chatbot_entries');
const getBaseUrl = (url) => {
if (!url) return '';
return url.endsWith('/api') ? url.slice(0, -4) : url;
@ -114,6 +122,14 @@ app.use('/api/permissions', passport.authenticate('jwt', {session: false}), perm
app.use('/api/hoas', passport.authenticate('jwt', {session: false}), hoasRoutes);
app.use('/api/request_types', passport.authenticate('jwt', {session: false}), request_typesRoutes);
app.use('/api/global_parameters', passport.authenticate('jwt', {session: false}), global_parametersRoutes);
app.use('/api/hoa_parameters', passport.authenticate('jwt', {session: false}), hoa_parametersRoutes);
app.use('/api/chatbot_entries', passport.authenticate('jwt', {session: false}), chatbot_entriesRoutes);
app.use('/api/contact-form', contactFormRoutes);
app.use(

View File

@ -0,0 +1,413 @@
const express = require('express');
const Chatbot_entriesService = require('../services/chatbot_entries');
const Chatbot_entriesDBApi = require('../db/api/chatbot_entries');
const wrapAsync = require('../helpers').wrapAsync;
const router = express.Router();
const { parse } = require('json2csv');
/**
* @swagger
* components:
* schemas:
* Chatbot_entries:
* type: object
* properties:
* question:
* type: string
* default: question
* answer:
* type: string
* default: answer
*/
/**
* @swagger
* tags:
* name: Chatbot_entries
* description: The Chatbot_entries managing API
*/
/**
* @swagger
* /api/chatbot_entries:
* post:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Add new item
* description: Add new item
* requestBody:
* required: true
* content:
* application/json:
* schema:
* properties:
* data:
* description: Data of the updated item
* type: object
* $ref: "#/components/schemas/Chatbot_entries"
* responses:
* 200:
* description: The item was successfully added
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Chatbot_entries"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 405:
* description: Invalid input data
* 500:
* description: Some server error
*/
router.post('/', wrapAsync(async (req, res) => {
const referer = req.headers.referer || `${req.protocol}://${req.hostname}${req.originalUrl}`;
const link = new URL(referer);
await Chatbot_entriesService.create(req.body.data, req.currentUser, true, link.host);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/budgets/bulk-import:
* post:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Bulk import items
* description: Bulk import items
* requestBody:
* required: true
* content:
* application/json:
* schema:
* properties:
* data:
* description: Data of the updated items
* type: array
* items:
* $ref: "#/components/schemas/Chatbot_entries"
* responses:
* 200:
* description: The items were successfully imported
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Chatbot_entries"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 405:
* description: Invalid input data
* 500:
* description: Some server error
*
*/
router.post('/bulk-import', wrapAsync(async (req, res) => {
const referer = req.headers.referer || `${req.protocol}://${req.hostname}${req.originalUrl}`;
const link = new URL(referer);
await Chatbot_entriesService.bulkImport(req, res, true, link.host);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/chatbot_entries/{id}:
* put:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Update the data of the selected item
* description: Update the data of the selected item
* parameters:
* - in: path
* name: id
* description: Item ID to update
* required: true
* schema:
* type: string
* requestBody:
* description: Set new item data
* required: true
* content:
* application/json:
* schema:
* properties:
* id:
* description: ID of the updated item
* type: string
* data:
* description: Data of the updated item
* type: object
* $ref: "#/components/schemas/Chatbot_entries"
* required:
* - id
* responses:
* 200:
* description: The item data was successfully updated
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Chatbot_entries"
* 400:
* description: Invalid ID supplied
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Item not found
* 500:
* description: Some server error
*/
router.put('/:id', wrapAsync(async (req, res) => {
await Chatbot_entriesService.update(req.body.data, req.body.id, req.currentUser);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/chatbot_entries/{id}:
* delete:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Delete the selected item
* description: Delete the selected item
* parameters:
* - in: path
* name: id
* description: Item ID to delete
* required: true
* schema:
* type: string
* responses:
* 200:
* description: The item was successfully deleted
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Chatbot_entries"
* 400:
* description: Invalid ID supplied
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Item not found
* 500:
* description: Some server error
*/
router.delete('/:id', wrapAsync(async (req, res) => {
await Chatbot_entriesService.remove(req.params.id, req.currentUser);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/chatbot_entries/deleteByIds:
* post:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Delete the selected item list
* description: Delete the selected item list
* requestBody:
* required: true
* content:
* application/json:
* schema:
* properties:
* ids:
* description: IDs of the updated items
* type: array
* responses:
* 200:
* description: The items was successfully deleted
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Chatbot_entries"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Items not found
* 500:
* description: Some server error
*/
router.post('/deleteByIds', wrapAsync(async (req, res) => {
await Chatbot_entriesService.deleteByIds(req.body.data, req.currentUser);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/chatbot_entries:
* get:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Get all chatbot_entries
* description: Get all chatbot_entries
* responses:
* 200:
* description: Chatbot_entries list successfully received
* content:
* application/json:
* schema:
* type: array
* items:
* $ref: "#/components/schemas/Chatbot_entries"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Data not found
* 500:
* description: Some server error
*/
router.get('/', wrapAsync(async (req, res) => {
const filetype = req.query.filetype
const currentUser = req.currentUser;
const payload = await Chatbot_entriesDBApi.findAll(
req.query, { currentUser }
);
if (filetype && filetype === 'csv') {
const fields = ['id','question','answer',
];
const opts = { fields };
try {
const csv = parse(payload.rows, opts);
res.status(200).attachment(csv);
res.send(csv)
} catch (err) {
console.error(err);
}
} else {
res.status(200).send(payload);
}
}));
/**
* @swagger
* /api/chatbot_entries/count:
* get:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Count all chatbot_entries
* description: Count all chatbot_entries
* responses:
* 200:
* description: Chatbot_entries count successfully received
* content:
* application/json:
* schema:
* type: array
* items:
* $ref: "#/components/schemas/Chatbot_entries"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Data not found
* 500:
* description: Some server error
*/
router.get('/count', wrapAsync(async (req, res) => {
const currentUser = req.currentUser;
const payload = await Chatbot_entriesDBApi.findAll(
req.query,
null,
{ countOnly: true, currentUser }
);
res.status(200).send(payload);
}));
/**
* @swagger
* /api/chatbot_entries/autocomplete:
* get:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Find all chatbot_entries that match search criteria
* description: Find all chatbot_entries that match search criteria
* responses:
* 200:
* description: Chatbot_entries list successfully received
* content:
* application/json:
* schema:
* type: array
* items:
* $ref: "#/components/schemas/Chatbot_entries"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Data not found
* 500:
* description: Some server error
*/
router.get('/autocomplete', async (req, res) => {
const payload = await Chatbot_entriesDBApi.findAllAutocomplete(
req.query.query,
req.query.limit,
req.query.offset,
);
res.status(200).send(payload);
});
/**
* @swagger
* /api/chatbot_entries/{id}:
* get:
* security:
* - bearerAuth: []
* tags: [Chatbot_entries]
* summary: Get selected item
* description: Get selected item
* parameters:
* - in: path
* name: id
* description: ID of item to get
* required: true
* schema:
* type: string
* responses:
* 200:
* description: Selected item successfully received
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Chatbot_entries"
* 400:
* description: Invalid ID supplied
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Item not found
* 500:
* description: Some server error
*/
router.get('/:id', wrapAsync(async (req, res) => {
const payload = await Chatbot_entriesDBApi.findBy(
{ id: req.params.id },
);
res.status(200).send(payload);
}));
router.use('/', require('../helpers').commonErrorHandler);
module.exports = router;

View File

@ -0,0 +1,433 @@
const express = require('express');
const Hoa_parametersService = require('../services/hoa_parameters');
const Hoa_parametersDBApi = require('../db/api/hoa_parameters');
const wrapAsync = require('../helpers').wrapAsync;
const router = express.Router();
const { parse } = require('json2csv');
/**
* @swagger
* components:
* schemas:
* Hoa_parameters:
* type: object
* properties:
* unit_types:
* type: string
* default: unit_types
* vendor_categories:
* type: string
* default: vendor_categories
* reminder_periods:
* type: string
* default: reminder_periods
* escalation_timeframes:
* type: string
* default: escalation_timeframes
* units_per_hoa:
* type: integer
* format: int64
* faq_limit:
* type: integer
* format: int64
* doc_limit:
* type: integer
* format: int64
* chatbot_suggestion_count:
* type: integer
* format: int64
*/
/**
* @swagger
* tags:
* name: Hoa_parameters
* description: The Hoa_parameters managing API
*/
/**
* @swagger
* /api/hoa_parameters:
* post:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Add new item
* description: Add new item
* requestBody:
* required: true
* content:
* application/json:
* schema:
* properties:
* data:
* description: Data of the updated item
* type: object
* $ref: "#/components/schemas/Hoa_parameters"
* responses:
* 200:
* description: The item was successfully added
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Hoa_parameters"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 405:
* description: Invalid input data
* 500:
* description: Some server error
*/
router.post('/', wrapAsync(async (req, res) => {
const referer = req.headers.referer || `${req.protocol}://${req.hostname}${req.originalUrl}`;
const link = new URL(referer);
await Hoa_parametersService.create(req.body.data, req.currentUser, true, link.host);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/budgets/bulk-import:
* post:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Bulk import items
* description: Bulk import items
* requestBody:
* required: true
* content:
* application/json:
* schema:
* properties:
* data:
* description: Data of the updated items
* type: array
* items:
* $ref: "#/components/schemas/Hoa_parameters"
* responses:
* 200:
* description: The items were successfully imported
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Hoa_parameters"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 405:
* description: Invalid input data
* 500:
* description: Some server error
*
*/
router.post('/bulk-import', wrapAsync(async (req, res) => {
const referer = req.headers.referer || `${req.protocol}://${req.hostname}${req.originalUrl}`;
const link = new URL(referer);
await Hoa_parametersService.bulkImport(req, res, true, link.host);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/hoa_parameters/{id}:
* put:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Update the data of the selected item
* description: Update the data of the selected item
* parameters:
* - in: path
* name: id
* description: Item ID to update
* required: true
* schema:
* type: string
* requestBody:
* description: Set new item data
* required: true
* content:
* application/json:
* schema:
* properties:
* id:
* description: ID of the updated item
* type: string
* data:
* description: Data of the updated item
* type: object
* $ref: "#/components/schemas/Hoa_parameters"
* required:
* - id
* responses:
* 200:
* description: The item data was successfully updated
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Hoa_parameters"
* 400:
* description: Invalid ID supplied
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Item not found
* 500:
* description: Some server error
*/
router.put('/:id', wrapAsync(async (req, res) => {
await Hoa_parametersService.update(req.body.data, req.body.id, req.currentUser);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/hoa_parameters/{id}:
* delete:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Delete the selected item
* description: Delete the selected item
* parameters:
* - in: path
* name: id
* description: Item ID to delete
* required: true
* schema:
* type: string
* responses:
* 200:
* description: The item was successfully deleted
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Hoa_parameters"
* 400:
* description: Invalid ID supplied
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Item not found
* 500:
* description: Some server error
*/
router.delete('/:id', wrapAsync(async (req, res) => {
await Hoa_parametersService.remove(req.params.id, req.currentUser);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/hoa_parameters/deleteByIds:
* post:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Delete the selected item list
* description: Delete the selected item list
* requestBody:
* required: true
* content:
* application/json:
* schema:
* properties:
* ids:
* description: IDs of the updated items
* type: array
* responses:
* 200:
* description: The items was successfully deleted
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Hoa_parameters"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Items not found
* 500:
* description: Some server error
*/
router.post('/deleteByIds', wrapAsync(async (req, res) => {
await Hoa_parametersService.deleteByIds(req.body.data, req.currentUser);
const payload = true;
res.status(200).send(payload);
}));
/**
* @swagger
* /api/hoa_parameters:
* get:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Get all hoa_parameters
* description: Get all hoa_parameters
* responses:
* 200:
* description: Hoa_parameters list successfully received
* content:
* application/json:
* schema:
* type: array
* items:
* $ref: "#/components/schemas/Hoa_parameters"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Data not found
* 500:
* description: Some server error
*/
router.get('/', wrapAsync(async (req, res) => {
const filetype = req.query.filetype
const currentUser = req.currentUser;
const payload = await Hoa_parametersDBApi.findAll(
req.query, { currentUser }
);
if (filetype && filetype === 'csv') {
const fields = ['id','unit_types','vendor_categories','reminder_periods','escalation_timeframes',
'units_per_hoa','faq_limit','doc_limit','chatbot_suggestion_count',
];
const opts = { fields };
try {
const csv = parse(payload.rows, opts);
res.status(200).attachment(csv);
res.send(csv)
} catch (err) {
console.error(err);
}
} else {
res.status(200).send(payload);
}
}));
/**
* @swagger
* /api/hoa_parameters/count:
* get:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Count all hoa_parameters
* description: Count all hoa_parameters
* responses:
* 200:
* description: Hoa_parameters count successfully received
* content:
* application/json:
* schema:
* type: array
* items:
* $ref: "#/components/schemas/Hoa_parameters"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Data not found
* 500:
* description: Some server error
*/
router.get('/count', wrapAsync(async (req, res) => {
const currentUser = req.currentUser;
const payload = await Hoa_parametersDBApi.findAll(
req.query,
null,
{ countOnly: true, currentUser }
);
res.status(200).send(payload);
}));
/**
* @swagger
* /api/hoa_parameters/autocomplete:
* get:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Find all hoa_parameters that match search criteria
* description: Find all hoa_parameters that match search criteria
* responses:
* 200:
* description: Hoa_parameters list successfully received
* content:
* application/json:
* schema:
* type: array
* items:
* $ref: "#/components/schemas/Hoa_parameters"
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Data not found
* 500:
* description: Some server error
*/
router.get('/autocomplete', async (req, res) => {
const payload = await Hoa_parametersDBApi.findAllAutocomplete(
req.query.query,
req.query.limit,
req.query.offset,
);
res.status(200).send(payload);
});
/**
* @swagger
* /api/hoa_parameters/{id}:
* get:
* security:
* - bearerAuth: []
* tags: [Hoa_parameters]
* summary: Get selected item
* description: Get selected item
* parameters:
* - in: path
* name: id
* description: ID of item to get
* required: true
* schema:
* type: string
* responses:
* 200:
* description: Selected item successfully received
* content:
* application/json:
* schema:
* $ref: "#/components/schemas/Hoa_parameters"
* 400:
* description: Invalid ID supplied
* 401:
* $ref: "#/components/responses/UnauthorizedError"
* 404:
* description: Item not found
* 500:
* description: Some server error
*/
router.get('/:id', wrapAsync(async (req, res) => {
const payload = await Hoa_parametersDBApi.findBy(
{ id: req.params.id },
);
res.status(200).send(payload);
}));
router.use('/', require('../helpers').commonErrorHandler);
module.exports = router;

View File

@ -0,0 +1,131 @@
const db = require('../db/models');
const Chatbot_entriesDBApi = require('../db/api/chatbot_entries');
const processFile = require("../middlewares/upload");
const ValidationError = require('./notifications/errors/validation');
const csv = require('csv-parser');
const axios = require('axios');
const config = require('../config');
const stream = require('stream');
module.exports = class Chatbot_entriesService {
static async create(data, currentUser) {
const transaction = await db.sequelize.transaction();
try {
await Chatbot_entriesDBApi.create(
data,
{
currentUser,
transaction,
},
);
await transaction.commit();
} catch (error) {
await transaction.rollback();
throw error;
}
};
static async bulkImport(req, res, sendInvitationEmails = true, host) {
const transaction = await db.sequelize.transaction();
try {
await processFile(req, res);
const bufferStream = new stream.PassThrough();
const results = [];
await bufferStream.end(Buffer.from(req.file.buffer, "utf-8")); // convert Buffer to Stream
await new Promise((resolve, reject) => {
bufferStream
.pipe(csv())
.on('data', (data) => results.push(data))
.on('end', async () => {
console.log('CSV results', results);
resolve();
})
.on('error', (error) => reject(error));
})
await Chatbot_entriesDBApi.bulkImport(results, {
transaction,
ignoreDuplicates: true,
validate: true,
currentUser: req.currentUser
});
await transaction.commit();
} catch (error) {
await transaction.rollback();
throw error;
}
}
static async update(data, id, currentUser) {
const transaction = await db.sequelize.transaction();
try {
let chatbot_entries = await Chatbot_entriesDBApi.findBy(
{id},
{transaction},
);
if (!chatbot_entries) {
throw new ValidationError(
'chatbot_entriesNotFound',
);
}
const updatedChatbot_entries = await Chatbot_entriesDBApi.update(
id,
data,
{
currentUser,
transaction,
},
);
await transaction.commit();
return updatedChatbot_entries;
} catch (error) {
await transaction.rollback();
throw error;
}
};
static async deleteByIds(ids, currentUser) {
const transaction = await db.sequelize.transaction();
try {
await Chatbot_entriesDBApi.deleteByIds(ids, {
currentUser,
transaction,
});
await transaction.commit();
} catch (error) {
await transaction.rollback();
throw error;
}
}
static async remove(id, currentUser) {
const transaction = await db.sequelize.transaction();
try {
await Chatbot_entriesDBApi.remove(
id,
{
currentUser,
transaction,
},
);
await transaction.commit();
} catch (error) {
await transaction.rollback();
throw error;
}
}
};

View File

@ -119,9 +119,67 @@ module.exports = class SearchService {
],
"request_types": [
"name",
"status",
],
"global_parameters": [
"allowed_unit_types",
],
"hoa_parameters": [
"unit_types",
"vendor_categories",
"reminder_periods",
"escalation_timeframes",
],
"chatbot_entries": [
"question",
"answer",
],
};
const columnsInt = {
"global_parameters": [
"max_units_per_hoa",
"max_residents_per_unit",
"max_managers_per_hoa",
"max_security_per_hoa",
],
"hoa_parameters": [
"units_per_hoa",
"faq_limit",
"doc_limit",
"chatbot_suggestion_count",
],
};
let allFoundRecords = [];

View File

@ -0,0 +1,120 @@
import React from 'react';
import ListActionsPopover from '../ListActionsPopover';
import { useAppSelector } from '../../stores/hooks';
import dataFormatter from '../../helpers/dataFormatter';
import { Pagination } from '../Pagination';
import LoadingSpinner from "../LoadingSpinner";
import Link from 'next/link';
type Props = {
chatbot_entries: any[];
loading: boolean;
onDelete: (id: string) => void;
currentPage: number;
numPages: number;
onPageChange: (page: number) => void;
};
const CardChatbot_entries = ({
chatbot_entries,
loading,
onDelete,
currentPage,
numPages,
onPageChange,
}: Props) => {
const asideScrollbarsStyle = useAppSelector(
(state) => state.style.asideScrollbarsStyle,
);
const bgColor = useAppSelector((state) => state.style.cardsColor);
const darkMode = useAppSelector((state) => state.style.darkMode);
const corners = useAppSelector((state) => state.style.corners);
const focusRing = useAppSelector((state) => state.style.focusRingColor);
return (
<div className={'p-4'}>
{loading && <LoadingSpinner />}
<ul
role='list'
className='grid grid-cols-1 gap-x-6 gap-y-8 lg:grid-cols-3 2xl:grid-cols-4 xl:gap-x-8'
>
{!loading && chatbot_entries.map((item, index) => (
<li
key={item.id}
className={`overflow-hidden ${corners !== 'rounded-full'? corners : 'rounded-3xl'} border ${focusRing} border-gray-200 dark:border-dark-700 ${
darkMode ? 'aside-scrollbars-[slate]' : asideScrollbarsStyle
}`}
>
<Link href={`/chatbot_entries/chatbot_entries-view/?id=${item.id}`} className='text-lg font-bold leading-6 line-clamp-1'>
{item.answer}
</Link>
<div className='ml-auto'>
<ListActionsPopover
onDelete={onDelete}
itemId={item.id}
pathEdit={`/chatbot_entries/chatbot_entries-edit/?id=${item.id}`}
pathView={`/chatbot_entries/chatbot_entries-view/?id=${item.id}`}
hasUpdatePermission={true}
/>
</div>
</div>
<dl className='divide-y dark:divide-dark-700 px-6 py-4 text-sm leading-6 h-64 overflow-y-auto'>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Question</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.question }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Answer</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.answer }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Created_by</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ dataFormatter.usersOneListFormatter(item.created_by) }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Hoa</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ dataFormatter.hoasOneListFormatter(item.hoa) }
</div>
</dd>
</div>
</dl>
</li>
))}
{!loading && chatbot_entries.length === 0 && (
<div className='col-span-full flex items-center justify-center h-40'>
<p className=''>No data to display</p>
</div>
)}
</ul>
<div className={'flex items-center justify-center my-6'}>
<Pagination
currentPage={currentPage}
numPages={numPages}
setCurrentPage={onPageChange}
/>
</div>
</div>
);
};
export default CardChatbot_entries;

View File

@ -0,0 +1,87 @@
import React from 'react';
import CardBox from '../CardBox';
import dataFormatter from '../../helpers/dataFormatter';
import ListActionsPopover from "../ListActionsPopover";
import {useAppSelector} from "../../stores/hooks";
import {Pagination} from "../Pagination";
import LoadingSpinner from "../LoadingSpinner";
import Link from 'next/link';
type Props = {
chatbot_entries: any[];
loading: boolean;
onDelete: (id: string) => void;
currentPage: number;
numPages: number;
onPageChange: (page: number) => void;
};
const ListChatbot_entries = ({ chatbot_entries, loading, onDelete, currentPage, numPages, onPageChange }: Props) => {
const corners = useAppSelector((state) => state.style.corners);
const bgColor = useAppSelector((state) => state.style.cardsColor);
return (
<>
<div className='relative overflow-x-auto p-4 space-y-4'>
{loading && <LoadingSpinner />}
{!loading && chatbot_entries.map((item) => (
<div key={item.id}>
<CardBox hasTable isList className={'rounded shadow-none'}>
<div className={`flex rounded dark:bg-dark-900 border items-center overflow-hidden`}>
<Link
href={`/chatbot_entries/chatbot_entries-view/?id=${item.id}`}
className={
'flex-1 px-4 py-6 h-24 flex divide-x-2 divide-stone-300 items-center overflow-hidden dark:divide-dark-700 overflow-x-auto'
}
>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Question</p>
<p className={'line-clamp-2'}>{ item.question }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Answer</p>
<p className={'line-clamp-2'}>{ item.answer }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Created_by</p>
<p className={'line-clamp-2'}>{ dataFormatter.usersOneListFormatter(item.created_by) }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Hoa</p>
<p className={'line-clamp-2'}>{ dataFormatter.hoasOneListFormatter(item.hoa) }</p>
</div>
</Link>
<ListActionsPopover
onDelete={onDelete}
itemId={item.id}
pathEdit={`/chatbot_entries/chatbot_entries-edit/?id=${item.id}`}
pathView={`/chatbot_entries/chatbot_entries-view/?id=${item.id}`}
hasUpdatePermission={true}
/>
</div>
</CardBox>
</div>
))}
{!loading && chatbot_entries.length === 0 && (
<div className='col-span-full flex items-center justify-center h-40'>
<p className=''>No data to display</p>
</div>
)}
</div>
<div className={'flex items-center justify-center my-6'}>
<Pagination
currentPage={currentPage}
numPages={numPages}
setCurrentPage={onPageChange}
/>
</div>
</>
)
};
export default ListChatbot_entries

View File

@ -0,0 +1,441 @@
import React, { useEffect, useState, useMemo } from 'react'
import { createPortal } from 'react-dom';
import { ToastContainer, toast } from 'react-toastify';
import BaseButton from '../BaseButton'
import CardBoxModal from '../CardBoxModal'
import CardBox from "../CardBox";
import { fetch, update, deleteItem, setRefetch, deleteItemsByIds } from '../../stores/chatbot_entries/chatbot_entriesSlice'
import { useAppDispatch, useAppSelector } from '../../stores/hooks'
import { useRouter } from 'next/router'
import { Field, Form, Formik } from "formik";
import {
DataGrid,
GridColDef,
} from '@mui/x-data-grid';
import {loadColumns} from "./configureChatbot_entriesCols";
import _ from 'lodash';
import dataFormatter from '../../helpers/dataFormatter'
import {dataGridStyles} from "../../styles";
import axios from 'axios';
const perPage = 10;
const TableSampleChatbot_entries = ({ filterItems, setFilterItems, filters, showGrid }) => {
const notify = (type, msg) => toast( msg, {type, position: "bottom-center"});
const dispatch = useAppDispatch();
const router = useRouter();
const pagesList = [];
const [id, setId] = useState(null);
const [currentPage, setCurrentPage] = useState(0);
const [filterRequest, setFilterRequest] = React.useState('');
const [columns, setColumns] = useState<GridColDef[]>([]);
const [selectedRows, setSelectedRows] = useState([]);
const [sortModel, setSortModel] = useState([
{
field: '',
sort: 'desc',
},
]);
const { chatbot_entries, loading, count, notify: chatbot_entriesNotify, refetch } = useAppSelector((state) => state.chatbot_entries)
const { currentUser } = useAppSelector((state) => state.auth);
const focusRing = useAppSelector((state) => state.style.focusRingColor);
const bgColor = useAppSelector((state) => state.style.bgLayoutColor);
const corners = useAppSelector((state) => state.style.corners);
const numPages = Math.floor(count / perPage) === 0 ? 1 : Math.ceil(count / perPage);
for (let i = 0; i < numPages; i++) {
pagesList.push(i);
}
const loadData = async (page = currentPage, request = filterRequest) => {
if (page !== currentPage) setCurrentPage(page);
if (request !== filterRequest) setFilterRequest(request);
const { sort, field } = sortModel[0];
const query = `?page=${page}&limit=${perPage}${request}&sort=${sort}&field=${field}`;
dispatch(fetch({ limit: perPage, page, query }));
};
useEffect(() => {
if (chatbot_entriesNotify.showNotification) {
notify(chatbot_entriesNotify.typeNotification, chatbot_entriesNotify.textNotification);
}
}, [chatbot_entriesNotify.showNotification]);
useEffect(() => {
if (!currentUser) return;
loadData();
}, [sortModel, currentUser]);
useEffect(() => {
if (refetch) {
loadData(0);
dispatch(setRefetch(false));
}
}, [refetch, dispatch]);
const [isModalInfoActive, setIsModalInfoActive] = useState(false)
const [isModalTrashActive, setIsModalTrashActive] = useState(false)
const handleModalAction = () => {
setIsModalInfoActive(false)
setIsModalTrashActive(false)
}
const handleDeleteModalAction = (id: string) => {
setId(id)
setIsModalTrashActive(true)
}
const handleDeleteAction = async () => {
if (id) {
await dispatch(deleteItem(id));
await loadData(0);
setIsModalTrashActive(false);
}
};
const generateFilterRequests = useMemo(() => {
let request = '&';
filterItems.forEach((item) => {
const isRangeFilter = filters.find(
(filter) =>
filter.title === item.fields.selectedField &&
(filter.number || filter.date),
);
if (isRangeFilter) {
const from = item.fields.filterValueFrom;
const to = item.fields.filterValueTo;
if (from) {
request += `${item.fields.selectedField}Range=${from}&`;
}
if (to) {
request += `${item.fields.selectedField}Range=${to}&`;
}
} else {
const value = item.fields.filterValue;
if (value) {
request += `${item.fields.selectedField}=${value}&`;
}
}
});
return request;
}, [filterItems, filters]);
const deleteFilter = (value) => {
const newItems = filterItems.filter((item) => item.id !== value);
if (newItems.length) {
setFilterItems(newItems);
} else {
loadData(0, '');
setFilterItems(newItems);
}
};
const handleSubmit = () => {
loadData(0, generateFilterRequests);
};
const handleChange = (id) => (e) => {
const value = e.target.value;
const name = e.target.name;
setFilterItems(
filterItems.map((item) => {
if (item.id !== id) return item;
if (name === 'selectedField') return { id, fields: { [name]: value } };
return { id, fields: { ...item.fields, [name]: value } }
}),
);
};
const handleReset = () => {
setFilterItems([]);
loadData(0, '');
};
const onPageChange = (page: number) => {
loadData(page);
setCurrentPage(page);
};
useEffect(() => {
loadColumns(handleDeleteModalAction, `chatbot_entries`).then((newCols) =>
setColumns(newCols),
);
}, []);
const handleTableSubmit = async (id: string, data) => {
if (!_.isEmpty(data)) {
await dispatch(update({ id, data }))
.unwrap()
.then((res) => res)
.catch((err) => {
throw new Error(err);
});
}
};
const onDeleteRows = async (selectedRows) => {
await dispatch(deleteItemsByIds(selectedRows));
await loadData(0);
};
const controlClasses =
'w-full py-2 px-2 my-2 border-gray-700 rounded dark:placeholder-gray-400 ' +
` ${bgColor} ${focusRing} ${corners} ` +
'dark:bg-slate-800 border';
const dataGrid = (
<div className='relative overflow-x-auto'>
<DataGrid
autoHeight
rowHeight={64}
sx={dataGridStyles}
className={'datagrid--table'}
getRowClassName={() => `datagrid--row`}
rows={chatbot_entries ?? []}
columns={columns}
initialState={{
pagination: {
paginationModel: {
pageSize: 10,
},
},
}}
disableRowSelectionOnClick
onProcessRowUpdateError={(params) => {
console.log('Error', params);
}}
processRowUpdate={async (newRow, oldRow) => {
const data = dataFormatter.dataGridEditFormatter(newRow);
try {
await handleTableSubmit(newRow.id, data);
return newRow;
} catch {
return oldRow;
}
}}
sortingMode={'server'}
checkboxSelection
onRowSelectionModelChange={(ids) => {
setSelectedRows(ids)
}}
onSortModelChange={(params) => {
params.length
? setSortModel(params)
: setSortModel([{ field: '', sort: 'desc' }]);
}}
rowCount={count}
pageSizeOptions={[10]}
paginationMode={'server'}
loading={loading}
onPaginationModelChange={(params) => {
onPageChange(params.page);
}}
/>
</div>
)
return (
<>
{filterItems && Array.isArray( filterItems ) && filterItems.length ?
<CardBox>
<Formik
initialValues={{
checkboxes: ['lorem'],
switches: ['lorem'],
radio: 'lorem',
}}
onSubmit={() => null}
>
<Form>
<>
{filterItems && filterItems.map((filterItem) => {
return (
<div key={filterItem.id} className="flex mb-4">
<div className="flex flex-col w-full mr-3">
<div className="text-gray-500 font-bold">Filter</div>
<Field
className={controlClasses}
name='selectedField'
id='selectedField'
component='select'
value={filterItem?.fields?.selectedField || ''}
onChange={handleChange(filterItem.id)}
>
{filters.map((selectOption) => (
<option
key={selectOption.title}
value={`${selectOption.title}`}
>
{selectOption.label}
</option>
))}
</Field>
</div>
{filters.find((filter) =>
filter.title === filterItem?.fields?.selectedField
)?.type === 'enum' ? (
<div className="flex flex-col w-full mr-3">
<div className="text-gray-500 font-bold">
Value
</div>
<Field
className={controlClasses}
name="filterValue"
id='filterValue'
component="select"
value={filterItem?.fields?.filterValue || ''}
onChange={handleChange(filterItem.id)}
>
<option value="">Select Value</option>
{filters.find((filter) =>
filter.title === filterItem?.fields?.selectedField
)?.options?.map((option) => (
<option key={option} value={option}>
{option}
</option>
))}
</Field>
</div>
) : filters.find((filter) =>
filter.title === filterItem?.fields?.selectedField
)?.number ? (
<div className="flex flex-row w-full mr-3">
<div className="flex flex-col w-full mr-3">
<div className="text-gray-500 font-bold">From</div>
<Field
className={controlClasses}
name='filterValueFrom'
placeholder='From'
id='filterValueFrom'
value={filterItem?.fields?.filterValueFrom || ''}
onChange={handleChange(filterItem.id)}
/>
</div>
<div className="flex flex-col w-full">
<div className="text-gray-500 font-bold">To</div>
<Field
className={controlClasses}
name='filterValueTo'
placeholder='to'
id='filterValueTo'
value={filterItem?.fields?.filterValueTo || ''}
onChange={handleChange(filterItem.id)}
/>
</div>
</div>
) : filters.find(
(filter) =>
filter.title ===
filterItem?.fields?.selectedField
)?.date ? (
<div className='flex flex-row w-full mr-3'>
<div className='flex flex-col w-full mr-3'>
<div className='text-gray-500 font-bold'>
From
</div>
<Field
className={controlClasses}
name='filterValueFrom'
placeholder='From'
id='filterValueFrom'
type='datetime-local'
value={filterItem?.fields?.filterValueFrom || ''}
onChange={handleChange(filterItem.id)}
/>
</div>
<div className='flex flex-col w-full'>
<div className='text-gray-500 font-bold'>To</div>
<Field
className={controlClasses}
name='filterValueTo'
placeholder='to'
id='filterValueTo'
type='datetime-local'
value={filterItem?.fields?.filterValueTo || ''}
onChange={handleChange(filterItem.id)}
/>
</div>
</div>
) : (
<div className="flex flex-col w-full mr-3">
<div className="text-gray-500 font-bold">Contains</div>
<Field
className={controlClasses}
name='filterValue'
placeholder='Contained'
id='filterValue'
value={filterItem?.fields?.filterValue || ''}
onChange={handleChange(filterItem.id)}
/>
</div>
)}
<div className="flex flex-col">
<div className="text-gray-500 font-bold">Action</div>
<BaseButton
className="my-2"
type='reset'
color='danger'
label='Delete'
onClick={() => {
deleteFilter(filterItem.id)
}}
/>
</div>
</div>
)
})}
<div className="flex">
<BaseButton
className="my-2 mr-3"
color="success"
label='Apply'
onClick={handleSubmit}
/>
<BaseButton
className="my-2"
color='info'
label='Cancel'
onClick={handleReset}
/>
</div>
</>
</Form>
</Formik>
</CardBox> : null
}
<CardBoxModal
title="Please confirm"
buttonColor="info"
buttonLabel={loading ? 'Deleting...' : 'Confirm'}
isActive={isModalTrashActive}
onConfirm={handleDeleteAction}
onCancel={handleModalAction}
>
<p>Are you sure you want to delete this item?</p>
</CardBoxModal>
{dataGrid}
{selectedRows.length > 0 &&
createPortal(
<BaseButton
className='me-4'
color='danger'
label={`Delete ${selectedRows.length === 1 ? 'Row' : 'Rows'}`}
onClick={() => onDeleteRows(selectedRows)}
/>,
document.getElementById('delete-rows-button'),
)}
<ToastContainer />
</>
)
}
export default TableSampleChatbot_entries

View File

@ -0,0 +1,118 @@
import React from 'react';
import BaseIcon from '../BaseIcon';
import { mdiEye, mdiTrashCan, mdiPencilOutline } from '@mdi/js';
import axios from 'axios';
import {
GridActionsCellItem,
GridRowParams,
GridValueGetterParams,
} from '@mui/x-data-grid';
import dataFormatter from '../../helpers/dataFormatter'
import DataGridMultiSelect from "../DataGridMultiSelect";
import ListActionsPopover from '../ListActionsPopover';
type Params = (id: string) => void;
export const loadColumns = async (
onDelete: Params,
entityName: string,
) => {
async function callOptionsApi(entityName: string) {
try {
const data = await axios(`/${entityName}/autocomplete?limit=100`);
return data.data;
} catch (error) {
console.log(error);
return [];
}
}
return [
{
field: 'question',
headerName: 'Question',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
},
{
field: 'answer',
headerName: 'Answer',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
},
{
field: 'created_by',
headerName: 'Created_by',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
sortable: false,
type: 'singleSelect',
getOptionValue: (value: any) => value?.id,
getOptionLabel: (value: any) => value?.label,
valueOptions: await callOptionsApi('users'),
valueGetter: (params: GridValueGetterParams) =>
params?.value?.id ?? params?.value,
},
{
field: 'hoa',
headerName: 'Hoa',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
sortable: false,
type: 'singleSelect',
getOptionValue: (value: any) => value?.id,
getOptionLabel: (value: any) => value?.label,
valueOptions: await callOptionsApi('hoas'),
valueGetter: (params: GridValueGetterParams) =>
params?.value?.id ?? params?.value,
},
{
field: 'actions',
type: 'actions',
minWidth: 30,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
getActions: (params: GridRowParams) => {
return [
<div key={params?.row?.id}>
<ListActionsPopover
onDelete={onDelete}
itemId={params?.row?.id}
pathEdit={`/chatbot_entries/chatbot_entries-edit/?id=${params?.row?.id}`}
pathView={`/chatbot_entries/chatbot_entries-view/?id=${params?.row?.id}`}
hasUpdatePermission={true}
/>
</div>,
]
},
},
];
};

View File

@ -0,0 +1,165 @@
import React from 'react';
import ListActionsPopover from '../ListActionsPopover';
import { useAppSelector } from '../../stores/hooks';
import dataFormatter from '../../helpers/dataFormatter';
import { Pagination } from '../Pagination';
import LoadingSpinner from "../LoadingSpinner";
import Link from 'next/link';
type Props = {
hoa_parameters: any[];
loading: boolean;
onDelete: (id: string) => void;
currentPage: number;
numPages: number;
onPageChange: (page: number) => void;
};
const CardHoa_parameters = ({
hoa_parameters,
loading,
onDelete,
currentPage,
numPages,
onPageChange,
}: Props) => {
const asideScrollbarsStyle = useAppSelector(
(state) => state.style.asideScrollbarsStyle,
);
const bgColor = useAppSelector((state) => state.style.cardsColor);
const darkMode = useAppSelector((state) => state.style.darkMode);
const corners = useAppSelector((state) => state.style.corners);
const focusRing = useAppSelector((state) => state.style.focusRingColor);
return (
<div className={'p-4'}>
{loading && <LoadingSpinner />}
<ul
role='list'
className='grid grid-cols-1 gap-x-6 gap-y-8 lg:grid-cols-3 2xl:grid-cols-4 xl:gap-x-8'
>
{!loading && hoa_parameters.map((item, index) => (
<li
key={item.id}
className={`overflow-hidden ${corners !== 'rounded-full'? corners : 'rounded-3xl'} border ${focusRing} border-gray-200 dark:border-dark-700 ${
darkMode ? 'aside-scrollbars-[slate]' : asideScrollbarsStyle
}`}
>
<Link href={`/hoa_parameters/hoa_parameters-view/?id=${item.id}`} className='text-lg font-bold leading-6 line-clamp-1'>
{item.id}
</Link>
<div className='ml-auto'>
<ListActionsPopover
onDelete={onDelete}
itemId={item.id}
pathEdit={`/hoa_parameters/hoa_parameters-edit/?id=${item.id}`}
pathView={`/hoa_parameters/hoa_parameters-view/?id=${item.id}`}
hasUpdatePermission={true}
/>
</div>
</div>
<dl className='divide-y dark:divide-dark-700 px-6 py-4 text-sm leading-6 h-64 overflow-y-auto'>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Hoa</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ dataFormatter.hoasOneListFormatter(item.hoa) }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Units per hoa</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.units_per_hoa }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Unit types</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.unit_types }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Vendor categories</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.vendor_categories }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Faq limit</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.faq_limit }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Doc limit</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.doc_limit }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Chatbot suggestion count</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.chatbot_suggestion_count }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Reminder periods</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.reminder_periods }
</div>
</dd>
</div>
<div className='flex justify-between gap-x-4 py-3'>
<dt className='text-gray-500 dark:text-dark-600'>Escalation timeframes</dt>
<dd className='flex items-start gap-x-2'>
<div className='font-medium line-clamp-4'>
{ item.escalation_timeframes }
</div>
</dd>
</div>
</dl>
</li>
))}
{!loading && hoa_parameters.length === 0 && (
<div className='col-span-full flex items-center justify-center h-40'>
<p className=''>No data to display</p>
</div>
)}
</ul>
<div className={'flex items-center justify-center my-6'}>
<Pagination
currentPage={currentPage}
numPages={numPages}
setCurrentPage={onPageChange}
/>
</div>
</div>
);
};
export default CardHoa_parameters;

View File

@ -0,0 +1,112 @@
import React from 'react';
import CardBox from '../CardBox';
import dataFormatter from '../../helpers/dataFormatter';
import ListActionsPopover from "../ListActionsPopover";
import {useAppSelector} from "../../stores/hooks";
import {Pagination} from "../Pagination";
import LoadingSpinner from "../LoadingSpinner";
import Link from 'next/link';
type Props = {
hoa_parameters: any[];
loading: boolean;
onDelete: (id: string) => void;
currentPage: number;
numPages: number;
onPageChange: (page: number) => void;
};
const ListHoa_parameters = ({ hoa_parameters, loading, onDelete, currentPage, numPages, onPageChange }: Props) => {
const corners = useAppSelector((state) => state.style.corners);
const bgColor = useAppSelector((state) => state.style.cardsColor);
return (
<>
<div className='relative overflow-x-auto p-4 space-y-4'>
{loading && <LoadingSpinner />}
{!loading && hoa_parameters.map((item) => (
<div key={item.id}>
<CardBox hasTable isList className={'rounded shadow-none'}>
<div className={`flex rounded dark:bg-dark-900 border items-center overflow-hidden`}>
<Link
href={`/hoa_parameters/hoa_parameters-view/?id=${item.id}`}
className={
'flex-1 px-4 py-6 h-24 flex divide-x-2 divide-stone-300 items-center overflow-hidden dark:divide-dark-700 overflow-x-auto'
}
>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Hoa</p>
<p className={'line-clamp-2'}>{ dataFormatter.hoasOneListFormatter(item.hoa) }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Units per hoa</p>
<p className={'line-clamp-2'}>{ item.units_per_hoa }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Unit types</p>
<p className={'line-clamp-2'}>{ item.unit_types }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Vendor categories</p>
<p className={'line-clamp-2'}>{ item.vendor_categories }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Faq limit</p>
<p className={'line-clamp-2'}>{ item.faq_limit }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Doc limit</p>
<p className={'line-clamp-2'}>{ item.doc_limit }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Chatbot suggestion count</p>
<p className={'line-clamp-2'}>{ item.chatbot_suggestion_count }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Reminder periods</p>
<p className={'line-clamp-2'}>{ item.reminder_periods }</p>
</div>
<div className={'flex-1 px-3'}>
<p className={'text-xs text-gray-500'}>Escalation timeframes</p>
<p className={'line-clamp-2'}>{ item.escalation_timeframes }</p>
</div>
</Link>
<ListActionsPopover
onDelete={onDelete}
itemId={item.id}
pathEdit={`/hoa_parameters/hoa_parameters-edit/?id=${item.id}`}
pathView={`/hoa_parameters/hoa_parameters-view/?id=${item.id}`}
hasUpdatePermission={true}
/>
</div>
</CardBox>
</div>
))}
{!loading && hoa_parameters.length === 0 && (
<div className='col-span-full flex items-center justify-center h-40'>
<p className=''>No data to display</p>
</div>
)}
</div>
<div className={'flex items-center justify-center my-6'}>
<Pagination
currentPage={currentPage}
numPages={numPages}
setCurrentPage={onPageChange}
/>
</div>
</>
)
};
export default ListHoa_parameters

View File

@ -0,0 +1,180 @@
import React from 'react';
import BaseIcon from '../BaseIcon';
import { mdiEye, mdiTrashCan, mdiPencilOutline } from '@mdi/js';
import axios from 'axios';
import {
GridActionsCellItem,
GridRowParams,
GridValueGetterParams,
} from '@mui/x-data-grid';
import dataFormatter from '../../helpers/dataFormatter'
import DataGridMultiSelect from "../DataGridMultiSelect";
import ListActionsPopover from '../ListActionsPopover';
type Params = (id: string) => void;
export const loadColumns = async (
onDelete: Params,
entityName: string,
) => {
async function callOptionsApi(entityName: string) {
try {
const data = await axios(`/${entityName}/autocomplete?limit=100`);
return data.data;
} catch (error) {
console.log(error);
return [];
}
}
return [
{
field: 'hoa',
headerName: 'Hoa',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
sortable: false,
type: 'singleSelect',
getOptionValue: (value: any) => value?.id,
getOptionLabel: (value: any) => value?.label,
valueOptions: await callOptionsApi('hoas'),
valueGetter: (params: GridValueGetterParams) =>
params?.value?.id ?? params?.value,
},
{
field: 'units_per_hoa',
headerName: 'Units per hoa',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
type: 'number',
},
{
field: 'unit_types',
headerName: 'Unit types',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
},
{
field: 'vendor_categories',
headerName: 'Vendor categories',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
},
{
field: 'faq_limit',
headerName: 'Faq limit',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
type: 'number',
},
{
field: 'doc_limit',
headerName: 'Doc limit',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
type: 'number',
},
{
field: 'chatbot_suggestion_count',
headerName: 'Chatbot suggestion count',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
type: 'number',
},
{
field: 'reminder_periods',
headerName: 'Reminder periods',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
},
{
field: 'escalation_timeframes',
headerName: 'Escalation timeframes',
flex: 1,
minWidth: 120,
filterable: false,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
editable: true,
},
{
field: 'actions',
type: 'actions',
minWidth: 30,
headerClassName: 'datagrid--header',
cellClassName: 'datagrid--cell',
getActions: (params: GridRowParams) => {
return [
<div key={params?.row?.id}>
<ListActionsPopover
onDelete={onDelete}
itemId={params?.row?.id}
pathEdit={`/hoa_parameters/hoa_parameters-edit/?id=${params?.row?.id}`}
pathView={`/hoa_parameters/hoa_parameters-view/?id=${params?.row?.id}`}
hasUpdatePermission={true}
/>
</div>,
]
},
},
];
};

View File

@ -68,7 +68,7 @@ export default function LayoutAuthenticated({
}
}, [router.events, dispatch])
const layoutAsidePadding = 'xl:pl-60'
const layoutAsidePadding = 'lg:pl-60' // updated for responsiveness
return (
<div className={`${darkMode ? 'dark' : ''} overflow-hidden lg:overflow-visible`}>

View File

@ -80,6 +80,38 @@ const menuAside: MenuAsideItem[] = [
icon: icon.mdiTable ?? icon.mdiTable,
permissions: 'READ_HOAS'
},
{
href: '/request_types/request_types-list',
label: 'Request types',
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
icon: icon.mdiTable ?? icon.mdiTable,
permissions: 'READ_REQUEST_TYPES'
},
{
href: '/global_parameters/global_parameters-list',
label: 'Global parameters',
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
icon: icon.mdiTable ?? icon.mdiTable,
permissions: 'READ_GLOBAL_PARAMETERS'
},
{
href: '/hoa_parameters/hoa_parameters-list',
label: 'Hoa parameters',
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
icon: icon.mdiTable ?? icon.mdiTable,
permissions: 'READ_HOA_PARAMETERS'
},
{
href: '/chatbot_entries/chatbot_entries-list',
label: 'Chatbot entries',
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
icon: icon.mdiTable ?? icon.mdiTable,
permissions: 'READ_CHATBOT_ENTRIES'
},
{
href: '/profile',
label: 'Profile',

View File

@ -0,0 +1,174 @@
import { mdiChartTimelineVariant, mdiUpload } from '@mdi/js'
import Head from 'next/head'
import React, { ReactElement, useEffect, useState } from 'react'
import DatePicker from "react-datepicker";
import "react-datepicker/dist/react-datepicker.css";
import dayjs from "dayjs";
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import { Field, Form, Formik } from 'formik'
import FormField from '../../components/FormField'
import BaseDivider from '../../components/BaseDivider'
import BaseButtons from '../../components/BaseButtons'
import BaseButton from '../../components/BaseButton'
import FormCheckRadio from '../../components/FormCheckRadio'
import FormCheckRadioGroup from '../../components/FormCheckRadioGroup'
import { SelectField } from "../../components/SelectField";
import { SelectFieldMany } from "../../components/SelectFieldMany";
import { SwitchField } from '../../components/SwitchField'
import {RichTextField} from "../../components/RichTextField";
import { update, fetch } from '../../stores/chatbot_entries/chatbot_entriesSlice'
import { useAppDispatch, useAppSelector } from '../../stores/hooks'
import { useRouter } from 'next/router'
const EditChatbot_entries = () => {
const router = useRouter()
const dispatch = useAppDispatch()
const initVals = {
hoas: null,
'question': '',
'answer': '',
created_by: null,
hoa: null,
}
const [initialValues, setInitialValues] = useState(initVals)
const { chatbot_entries } = useAppSelector((state) => state.chatbot_entries)
const { chatbot_entriesId } = router.query
useEffect(() => {
dispatch(fetch({ id: chatbot_entriesId }))
}, [chatbot_entriesId])
useEffect(() => {
if (typeof chatbot_entries === 'object') {
setInitialValues(chatbot_entries)
}
}, [chatbot_entries])
useEffect(() => {
if (typeof chatbot_entries === 'object') {
const newInitialVal = {...initVals};
Object.keys(initVals).forEach(el => newInitialVal[el] = (chatbot_entries)[el])
setInitialValues(newInitialVal);
}
}, [chatbot_entries])
const handleSubmit = async (data) => {
await dispatch(update({ id: chatbot_entriesId, data }))
await router.push('/chatbot_entries/chatbot_entries-list')
}
return (
<>
<Head>
<title>{getPageTitle('Edit chatbot_entries')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title={'Edit chatbot_entries'} main>
{''}
</SectionTitleLineWithButton>
<CardBox>
<Formik
enableReinitialize
initialValues={initialValues}
onSubmit={(values) => handleSubmit(values)}
>
<Form>
<FormField label='hoas' labelFor='hoas'>
<Field
name='hoas'
id='hoas'
component={SelectField}
options={initialValues.hoas}
itemRef={'hoas'}
showField={'name'}
></Field>
</FormField>
<FormField
label="Question"
>
<Field
name="question"
placeholder="Question"
/>
</FormField>
<FormField
label="Answer"
>
<Field
name="answer"
placeholder="Answer"
/>
</FormField>
<FormField label='Created_by' labelFor='created_by'>
<Field
name='created_by'
id='created_by'
component={SelectField}
options={initialValues.created_by}
itemRef={'users'}
showField={'firstName'}
></Field>
</FormField>
<FormField label='Hoa' labelFor='hoa'>
<Field
name='hoa'
id='hoa'
component={SelectField}
options={initialValues.hoa}
itemRef={'hoas'}
showField={'name'}
></Field>
</FormField>
<BaseDivider />
<BaseButtons>
<BaseButton type="submit" color="info" label="Submit" />
<BaseButton type="reset" color="info" outline label="Reset" />
<BaseButton type='reset' color='danger' outline label='Cancel' onClick={() => router.push('/chatbot_entries/chatbot_entries-list')}/>
</BaseButtons>
</Form>
</Formik>
</CardBox>
</SectionMain>
</>
)
}
EditChatbot_entries.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default EditChatbot_entries

View File

@ -0,0 +1,172 @@
import { mdiChartTimelineVariant, mdiUpload } from '@mdi/js'
import Head from 'next/head'
import React, { ReactElement, useEffect, useState } from 'react'
import DatePicker from "react-datepicker";
import "react-datepicker/dist/react-datepicker.css";
import dayjs from "dayjs";
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import { Field, Form, Formik } from 'formik'
import FormField from '../../components/FormField'
import BaseDivider from '../../components/BaseDivider'
import BaseButtons from '../../components/BaseButtons'
import BaseButton from '../../components/BaseButton'
import FormCheckRadio from '../../components/FormCheckRadio'
import FormCheckRadioGroup from '../../components/FormCheckRadioGroup'
import { SelectField } from "../../components/SelectField";
import { SelectFieldMany } from "../../components/SelectFieldMany";
import { SwitchField } from '../../components/SwitchField'
import {RichTextField} from "../../components/RichTextField";
import { update, fetch } from '../../stores/chatbot_entries/chatbot_entriesSlice'
import { useAppDispatch, useAppSelector } from '../../stores/hooks'
import { useRouter } from 'next/router'
import dataFormatter from '../../helpers/dataFormatter';
const EditChatbot_entriesPage = () => {
const router = useRouter()
const dispatch = useAppDispatch()
const initVals = {
hoas: null,
'question': '',
'answer': '',
created_by: null,
hoa: null,
}
const [initialValues, setInitialValues] = useState(initVals)
const { chatbot_entries } = useAppSelector((state) => state.chatbot_entries)
const { id } = router.query
useEffect(() => {
dispatch(fetch({ id: id }))
}, [id])
useEffect(() => {
if (typeof chatbot_entries === 'object') {
setInitialValues(chatbot_entries)
}
}, [chatbot_entries])
useEffect(() => {
if (typeof chatbot_entries === 'object') {
const newInitialVal = {...initVals};
Object.keys(initVals).forEach(el => newInitialVal[el] = (chatbot_entries)[el])
setInitialValues(newInitialVal);
}
}, [chatbot_entries])
const handleSubmit = async (data) => {
await dispatch(update({ id: id, data }))
await router.push('/chatbot_entries/chatbot_entries-list')
}
return (
<>
<Head>
<title>{getPageTitle('Edit chatbot_entries')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title={'Edit chatbot_entries'} main>
{''}
</SectionTitleLineWithButton>
<CardBox>
<Formik
enableReinitialize
initialValues={initialValues}
onSubmit={(values) => handleSubmit(values)}
>
<Form>
<FormField label='hoas' labelFor='hoas'>
<Field
name='hoas'
id='hoas'
component={SelectField}
options={initialValues.hoas}
itemRef={'hoas'}
showField={'name'}
></Field>
</FormField>
<FormField
label="Question"
>
<Field
name="question"
placeholder="Question"
/>
</FormField>
<FormField
label="Answer"
>
<Field
name="answer"
placeholder="Answer"
/>
</FormField>
<FormField label='Created_by' labelFor='created_by'>
<Field
name='created_by'
id='created_by'
component={SelectField}
options={initialValues.created_by}
itemRef={'users'}
showField={'firstName'}
></Field>
</FormField>
<FormField label='Hoa' labelFor='hoa'>
<Field
name='hoa'
id='hoa'
component={SelectField}
options={initialValues.hoa}
itemRef={'hoas'}
showField={'name'}
></Field>
</FormField>
<BaseDivider />
<BaseButtons>
<BaseButton type="submit" color="info" label="Submit" />
<BaseButton type="reset" color="info" outline label="Reset" />
<BaseButton type='reset' color='danger' outline label='Cancel' onClick={() => router.push('/chatbot_entries/chatbot_entries-list')}/>
</BaseButtons>
</Form>
</Formik>
</CardBox>
</SectionMain>
</>
)
}
EditChatbot_entriesPage.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default EditChatbot_entriesPage

View File

@ -0,0 +1,128 @@
import { mdiChartTimelineVariant } from '@mdi/js'
import Head from 'next/head'
import { uniqueId } from 'lodash';
import React, { ReactElement, useState } from 'react'
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import TableChatbot_entries from '../../components/Chatbot_entries/TableChatbot_entries'
import BaseButton from '../../components/BaseButton'
import axios from "axios";
import {useAppDispatch, useAppSelector} from "../../stores/hooks";
import CardBoxModal from "../../components/CardBoxModal";
import DragDropFilePicker from "../../components/DragDropFilePicker";
import {setRefetch, uploadCsv} from '../../stores/chatbot_entries/chatbot_entriesSlice';
const Chatbot_entriesTablesPage = () => {
const [filterItems, setFilterItems] = useState([]);
const [csvFile, setCsvFile] = useState<File | null>(null);
const [isModalActive, setIsModalActive] = useState(false);
const dispatch = useAppDispatch();
const [filters] = useState([{label: 'Question', title: 'question'},{label: 'Answer', title: 'answer'},
]);
const addFilter = () => {
const newItem = {
id: uniqueId(),
fields: {
filterValue: '',
filterValueFrom: '',
filterValueTo: '',
selectedField: '',
},
};
newItem.fields.selectedField = filters[0].title;
setFilterItems([...filterItems, newItem]);
};
const getChatbot_entriesCSV = async () => {
const response = await axios({url: '/chatbot_entries?filetype=csv', method: 'GET',responseType: 'blob'});
const type = response.headers['content-type']
const blob = new Blob([response.data], { type: type })
const link = document.createElement('a')
link.href = window.URL.createObjectURL(blob)
link.download = 'chatbot_entriesCSV.csv'
link.click()
};
const onModalConfirm = async () => {
if (!csvFile) return;
await dispatch(uploadCsv(csvFile));
dispatch(setRefetch(true));
setCsvFile(null);
setIsModalActive(false);
};
const onModalCancel = () => {
setCsvFile(null);
setIsModalActive(false);
};
return (
<>
<Head>
<title>{getPageTitle('Chatbot_entries')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title="Chatbot_entries" main>
{''}
</SectionTitleLineWithButton>
<CardBox className='mb-6' cardBoxClassName='flex flex-wrap'>
<BaseButton className={'mr-3'} href={'/chatbot_entries/chatbot_entries-new'} color='info' label='New Item' />
<BaseButton
className={'mr-3'}
color='info'
label='Filter'
onClick={addFilter}
/>
<BaseButton className={'mr-3'} color='info' label='Download CSV' onClick={getChatbot_entriesCSV} />
<BaseButton
color='info'
label='Upload CSV'
onClick={() => setIsModalActive(true)}
/>
<div className='md:inline-flex items-center ms-auto'>
<div id='delete-rows-button'></div>
</div>
</CardBox>
<CardBox className="mb-6" hasTable>
<TableChatbot_entries
filterItems={filterItems}
setFilterItems={setFilterItems}
filters={filters}
showGrid={false}
/>
</CardBox>
</SectionMain>
<CardBoxModal
title='Upload CSV'
buttonColor='info'
buttonLabel={'Confirm'}
// buttonLabel={false ? 'Deleting...' : 'Confirm'}
isActive={isModalActive}
onConfirm={onModalConfirm}
onCancel={onModalCancel}
>
<DragDropFilePicker
file={csvFile}
setFile={setCsvFile}
formats={'.csv'}
/>
</CardBoxModal>
</>
)
}
Chatbot_entriesTablesPage.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default Chatbot_entriesTablesPage

View File

@ -0,0 +1,118 @@
import { mdiChartTimelineVariant } from '@mdi/js'
import Head from 'next/head'
import React, { ReactElement } from 'react'
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import { Field, Form, Formik } from 'formik'
import FormField from '../../components/FormField'
import BaseDivider from '../../components/BaseDivider'
import BaseButtons from '../../components/BaseButtons'
import BaseButton from '../../components/BaseButton'
import FormCheckRadio from '../../components/FormCheckRadio'
import FormCheckRadioGroup from '../../components/FormCheckRadioGroup'
import { SwitchField } from '../../components/SwitchField'
import { SelectField } from '../../components/SelectField'
import {RichTextField} from "../../components/RichTextField";
import { create } from '../../stores/chatbot_entries/chatbot_entriesSlice'
import { useAppDispatch } from '../../stores/hooks'
import { useRouter } from 'next/router'
const initialValues = {
hoas: '',
question: '',
answer: '',
created_by: '',
hoa: '',
}
const Chatbot_entriesNew = () => {
const router = useRouter()
const dispatch = useAppDispatch()
const handleSubmit = async (data) => {
await dispatch(create(data))
await router.push('/chatbot_entries/chatbot_entries-list')
}
return (
<>
<Head>
<title>{getPageTitle('New Item')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title="New Item" main>
{''}
</SectionTitleLineWithButton>
<CardBox>
<Formik
initialValues={
initialValues
}
onSubmit={(values) => handleSubmit(values)}
>
<Form>
<FormField label="hoas" labelFor="hoas">
<Field name="hoas" id="hoas" component={SelectField} options={[]} itemRef={'hoas'}></Field>
</FormField>
<FormField
label="Question"
>
<Field
name="question"
placeholder="Question"
/>
</FormField>
<FormField
label="Answer"
>
<Field
name="answer"
placeholder="Answer"
/>
</FormField>
<FormField label="Created_by" labelFor="created_by">
<Field name="created_by" id="created_by" component={SelectField} options={[]} itemRef={'users'}></Field>
</FormField>
<FormField label="Hoa" labelFor="hoa">
<Field name="hoa" id="hoa" component={SelectField} options={[]} itemRef={'hoas'}></Field>
</FormField>
<BaseDivider />
<BaseButtons>
<BaseButton type="submit" color="info" label="Submit" />
<BaseButton type="reset" color="info" outline label="Reset" />
<BaseButton type='reset' color='danger' outline label='Cancel' onClick={() => router.push('/chatbot_entries/chatbot_entries-list')}/>
</BaseButtons>
</Form>
</Formik>
</CardBox>
</SectionMain>
</>
)
}
Chatbot_entriesNew.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default Chatbot_entriesNew

View File

@ -0,0 +1,129 @@
import { mdiChartTimelineVariant } from '@mdi/js'
import Head from 'next/head'
import { uniqueId } from 'lodash';
import React, { ReactElement, useState } from 'react'
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import TableChatbot_entries from '../../components/Chatbot_entries/TableChatbot_entries'
import BaseButton from '../../components/BaseButton'
import axios from "axios";
import {useAppDispatch, useAppSelector} from "../../stores/hooks";
import CardBoxModal from "../../components/CardBoxModal";
import DragDropFilePicker from "../../components/DragDropFilePicker";
import {setRefetch, uploadCsv} from '../../stores/chatbot_entries/chatbot_entriesSlice';
const Chatbot_entriesTablesPage = () => {
const [filterItems, setFilterItems] = useState([]);
const [csvFile, setCsvFile] = useState<File | null>(null);
const [isModalActive, setIsModalActive] = useState(false);
const dispatch = useAppDispatch();
const [filters] = useState([{label: 'Question', title: 'question'},{label: 'Answer', title: 'answer'},
]);
const addFilter = () => {
const newItem = {
id: uniqueId(),
fields: {
filterValue: '',
filterValueFrom: '',
filterValueTo: '',
selectedField: '',
},
};
newItem.fields.selectedField = filters[0].title;
setFilterItems([...filterItems, newItem]);
};
const getChatbot_entriesCSV = async () => {
const response = await axios({url: '/chatbot_entries?filetype=csv', method: 'GET',responseType: 'blob'});
const type = response.headers['content-type']
const blob = new Blob([response.data], { type: type })
const link = document.createElement('a')
link.href = window.URL.createObjectURL(blob)
link.download = 'chatbot_entriesCSV.csv'
link.click()
};
const onModalConfirm = async () => {
if (!csvFile) return;
await dispatch(uploadCsv(csvFile));
dispatch(setRefetch(true));
setCsvFile(null);
setIsModalActive(false);
};
const onModalCancel = () => {
setCsvFile(null);
setIsModalActive(false);
};
return (
<>
<Head>
<title>{getPageTitle('Chatbot_entries')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title="Chatbot_entries" main>
{''}
</SectionTitleLineWithButton>
<CardBox className='mb-6' cardBoxClassName='flex flex-wrap'>
<BaseButton className={'mr-3'} href={'/chatbot_entries/chatbot_entries-new'} color='info' label='New Item' />
<BaseButton
className={'mr-3'}
color='info'
label='Filter'
onClick={addFilter}
/>
<BaseButton className={'mr-3'} color='info' label='Download CSV' onClick={getChatbot_entriesCSV} />
<BaseButton
color='info'
label='Upload CSV'
onClick={() => setIsModalActive(true)}
/>
<div className='md:inline-flex items-center ms-auto'>
<div id='delete-rows-button'></div>
</div>
</CardBox>
<CardBox className="mb-6" hasTable>
<TableChatbot_entries
filterItems={filterItems}
setFilterItems={setFilterItems}
filters={filters}
showGrid={true}
/>
</CardBox>
</SectionMain>
<CardBoxModal
title='Upload CSV'
buttonColor='info'
buttonLabel={'Confirm'}
// buttonLabel={false ? 'Deleting...' : 'Confirm'}
isActive={isModalActive}
onConfirm={onModalConfirm}
onCancel={onModalCancel}
>
<DragDropFilePicker
file={csvFile}
setFile={setCsvFile}
formats={'.csv'}
/>
</CardBoxModal>
</>
)
}
Chatbot_entriesTablesPage.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default Chatbot_entriesTablesPage

View File

@ -0,0 +1,104 @@
import React, { ReactElement, useEffect } from 'react';
import Head from 'next/head'
import DatePicker from "react-datepicker";
import "react-datepicker/dist/react-datepicker.css";
import dayjs from "dayjs";
import {useAppDispatch, useAppSelector} from "../../stores/hooks";
import {useRouter} from "next/router";
import { fetch } from '../../stores/chatbot_entries/chatbot_entriesSlice'
import dataFormatter from '../../helpers/dataFormatter';
import LayoutAuthenticated from "../../layouts/Authenticated";
import {getPageTitle} from "../../config";
import SectionTitleLineWithButton from "../../components/SectionTitleLineWithButton";
import SectionMain from "../../components/SectionMain";
import CardBox from "../../components/CardBox";
import BaseButton from "../../components/BaseButton";
import BaseDivider from "../../components/BaseDivider";
import {mdiChartTimelineVariant} from "@mdi/js";
import {SwitchField} from "../../components/SwitchField";
import FormField from "../../components/FormField";
const Chatbot_entriesView = () => {
const router = useRouter()
const dispatch = useAppDispatch()
const { chatbot_entries } = useAppSelector((state) => state.chatbot_entries)
const { id } = router.query;
function removeLastCharacter(str) {
console.log(str,`str`)
return str.slice(0, -1);
}
useEffect(() => {
dispatch(fetch({ id }));
}, [dispatch, id]);
return (
<>
<Head>
<title>{getPageTitle('View chatbot_entries')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title={removeLastCharacter('View chatbot_entries')} main>
<BaseButton
color='info'
label='Edit'
href={`/chatbot_entries/chatbot_entries-edit/?id=${id}`}
/>
</SectionTitleLineWithButton>
<CardBox>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>hoas</p>
<p>{chatbot_entries?.hoas?.name ?? 'No data'}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Question</p>
<p>{chatbot_entries?.question}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Answer</p>
<p>{chatbot_entries?.answer}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Created_by</p>
<p>{chatbot_entries?.created_by?.firstName ?? 'No data'}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Hoa</p>
<p>{chatbot_entries?.hoa?.name ?? 'No data'}</p>
</div>
<BaseDivider />
<BaseButton
color='info'
label='Back'
onClick={() => router.push('/chatbot_entries/chatbot_entries-list')}
/>
</CardBox>
</SectionMain>
</>
);
};
Chatbot_entriesView.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default Chatbot_entriesView;

View File

@ -28,10 +28,14 @@ const Dashboard = () => {
const [roles, setRoles] = React.useState(loadingMessage);
const [permissions, setPermissions] = React.useState(loadingMessage);
const [hoas, setHoas] = React.useState(loadingMessage);
const [request_types, setRequest_types] = React.useState(loadingMessage);
const [global_parameters, setGlobal_parameters] = React.useState(loadingMessage);
const [hoa_parameters, setHoa_parameters] = React.useState(loadingMessage);
const [chatbot_entries, setChatbot_entries] = React.useState(loadingMessage);
async function loadData() {
const entities = ['users','announcements','invite_links','notifications','requests','security_alarms','units','vendors','roles','permissions','hoas',];
const fns = [setUsers,setAnnouncements,setInvite_links,setNotifications,setRequests,setSecurity_alarms,setUnits,setVendors,setRoles,setPermissions,setHoas,];
const entities = ['users','announcements','invite_links','notifications','requests','security_alarms','units','vendors','roles','permissions','hoas','request_types','global_parameters','hoa_parameters','chatbot_entries',];
const fns = [setUsers,setAnnouncements,setInvite_links,setNotifications,setRequests,setSecurity_alarms,setUnits,setVendors,setRoles,setPermissions,setHoas,setRequest_types,setGlobal_parameters,setHoa_parameters,setChatbot_entries,];
const requests = entities.map((entity, index) => {
return axios.get(`/${entity.toLowerCase()}/count`);
@ -321,6 +325,118 @@ const Dashboard = () => {
</div>
</Link>
<Link href={'/request_types/request_types-list'}>
<div
className={`${corners !== 'rounded-full'? corners : 'rounded-3xl'} dark:bg-dark-900 ${cardsStyle} dark:border-dark-700 p-6`}
>
<div className="flex justify-between align-center">
<div>
<div className="text-lg leading-tight text-gray-500 dark:text-gray-400">
Request types
</div>
<div className="text-3xl leading-tight font-semibold">
{request_types}
</div>
</div>
<div>
<BaseIcon
className={`${iconsColor}`}
w="w-16"
h="h-16"
size={48}
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
path={icon.mdiTable || icon.mdiTable}
/>
</div>
</div>
</div>
</Link>
<Link href={'/global_parameters/global_parameters-list'}>
<div
className={`${corners !== 'rounded-full'? corners : 'rounded-3xl'} dark:bg-dark-900 ${cardsStyle} dark:border-dark-700 p-6`}
>
<div className="flex justify-between align-center">
<div>
<div className="text-lg leading-tight text-gray-500 dark:text-gray-400">
Global parameters
</div>
<div className="text-3xl leading-tight font-semibold">
{global_parameters}
</div>
</div>
<div>
<BaseIcon
className={`${iconsColor}`}
w="w-16"
h="h-16"
size={48}
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
path={icon.mdiTable || icon.mdiTable}
/>
</div>
</div>
</div>
</Link>
<Link href={'/hoa_parameters/hoa_parameters-list'}>
<div
className={`${corners !== 'rounded-full'? corners : 'rounded-3xl'} dark:bg-dark-900 ${cardsStyle} dark:border-dark-700 p-6`}
>
<div className="flex justify-between align-center">
<div>
<div className="text-lg leading-tight text-gray-500 dark:text-gray-400">
Hoa parameters
</div>
<div className="text-3xl leading-tight font-semibold">
{hoa_parameters}
</div>
</div>
<div>
<BaseIcon
className={`${iconsColor}`}
w="w-16"
h="h-16"
size={48}
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
path={icon.mdiTable || icon.mdiTable}
/>
</div>
</div>
</div>
</Link>
<Link href={'/chatbot_entries/chatbot_entries-list'}>
<div
className={`${corners !== 'rounded-full'? corners : 'rounded-3xl'} dark:bg-dark-900 ${cardsStyle} dark:border-dark-700 p-6`}
>
<div className="flex justify-between align-center">
<div>
<div className="text-lg leading-tight text-gray-500 dark:text-gray-400">
Chatbot entries
</div>
<div className="text-3xl leading-tight font-semibold">
{chatbot_entries}
</div>
</div>
<div>
<BaseIcon
className={`${iconsColor}`}
w="w-16"
h="h-16"
size={48}
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
path={icon.mdiTable || icon.mdiTable}
/>
</div>
</div>
</div>
</Link>
</div>
</SectionMain>
</>

View File

@ -0,0 +1,229 @@
import { mdiChartTimelineVariant, mdiUpload } from '@mdi/js'
import Head from 'next/head'
import React, { ReactElement, useEffect, useState } from 'react'
import DatePicker from "react-datepicker";
import "react-datepicker/dist/react-datepicker.css";
import dayjs from "dayjs";
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import { Field, Form, Formik } from 'formik'
import FormField from '../../components/FormField'
import BaseDivider from '../../components/BaseDivider'
import BaseButtons from '../../components/BaseButtons'
import BaseButton from '../../components/BaseButton'
import FormCheckRadio from '../../components/FormCheckRadio'
import FormCheckRadioGroup from '../../components/FormCheckRadioGroup'
import { SelectField } from "../../components/SelectField";
import { SelectFieldMany } from "../../components/SelectFieldMany";
import { SwitchField } from '../../components/SwitchField'
import {RichTextField} from "../../components/RichTextField";
import { update, fetch } from '../../stores/hoa_parameters/hoa_parametersSlice'
import { useAppDispatch, useAppSelector } from '../../stores/hooks'
import { useRouter } from 'next/router'
const EditHoa_parameters = () => {
const router = useRouter()
const dispatch = useAppDispatch()
const initVals = {
hoas: null,
hoa: null,
units_per_hoa: '',
'unit_types': '',
'vendor_categories': '',
faq_limit: '',
doc_limit: '',
chatbot_suggestion_count: '',
'reminder_periods': '',
'escalation_timeframes': '',
}
const [initialValues, setInitialValues] = useState(initVals)
const { hoa_parameters } = useAppSelector((state) => state.hoa_parameters)
const { hoa_parametersId } = router.query
useEffect(() => {
dispatch(fetch({ id: hoa_parametersId }))
}, [hoa_parametersId])
useEffect(() => {
if (typeof hoa_parameters === 'object') {
setInitialValues(hoa_parameters)
}
}, [hoa_parameters])
useEffect(() => {
if (typeof hoa_parameters === 'object') {
const newInitialVal = {...initVals};
Object.keys(initVals).forEach(el => newInitialVal[el] = (hoa_parameters)[el])
setInitialValues(newInitialVal);
}
}, [hoa_parameters])
const handleSubmit = async (data) => {
await dispatch(update({ id: hoa_parametersId, data }))
await router.push('/hoa_parameters/hoa_parameters-list')
}
return (
<>
<Head>
<title>{getPageTitle('Edit hoa_parameters')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title={'Edit hoa_parameters'} main>
{''}
</SectionTitleLineWithButton>
<CardBox>
<Formik
enableReinitialize
initialValues={initialValues}
onSubmit={(values) => handleSubmit(values)}
>
<Form>
<FormField label='hoas' labelFor='hoas'>
<Field
name='hoas'
id='hoas'
component={SelectField}
options={initialValues.hoas}
itemRef={'hoas'}
showField={'name'}
></Field>
</FormField>
<FormField label='Hoa' labelFor='hoa'>
<Field
name='hoa'
id='hoa'
component={SelectField}
options={initialValues.hoa}
itemRef={'hoas'}
showField={'name'}
></Field>
</FormField>
<FormField
label="Units per hoa"
>
<Field
type="number"
name="units_per_hoa"
placeholder="Units per hoa"
/>
</FormField>
<FormField
label="Unit types"
>
<Field
name="unit_types"
placeholder="Unit types"
/>
</FormField>
<FormField
label="Vendor categories"
>
<Field
name="vendor_categories"
placeholder="Vendor categories"
/>
</FormField>
<FormField
label="Faq limit"
>
<Field
type="number"
name="faq_limit"
placeholder="Faq limit"
/>
</FormField>
<FormField
label="Doc limit"
>
<Field
type="number"
name="doc_limit"
placeholder="Doc limit"
/>
</FormField>
<FormField
label="Chatbot suggestion count"
>
<Field
type="number"
name="chatbot_suggestion_count"
placeholder="Chatbot suggestion count"
/>
</FormField>
<FormField
label="Reminder periods"
>
<Field
name="reminder_periods"
placeholder="Reminder periods"
/>
</FormField>
<FormField
label="Escalation timeframes"
>
<Field
name="escalation_timeframes"
placeholder="Escalation timeframes"
/>
</FormField>
<BaseDivider />
<BaseButtons>
<BaseButton type="submit" color="info" label="Submit" />
<BaseButton type="reset" color="info" outline label="Reset" />
<BaseButton type='reset' color='danger' outline label='Cancel' onClick={() => router.push('/hoa_parameters/hoa_parameters-list')}/>
</BaseButtons>
</Form>
</Formik>
</CardBox>
</SectionMain>
</>
)
}
EditHoa_parameters.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default EditHoa_parameters

View File

@ -0,0 +1,227 @@
import { mdiChartTimelineVariant, mdiUpload } from '@mdi/js'
import Head from 'next/head'
import React, { ReactElement, useEffect, useState } from 'react'
import DatePicker from "react-datepicker";
import "react-datepicker/dist/react-datepicker.css";
import dayjs from "dayjs";
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import { Field, Form, Formik } from 'formik'
import FormField from '../../components/FormField'
import BaseDivider from '../../components/BaseDivider'
import BaseButtons from '../../components/BaseButtons'
import BaseButton from '../../components/BaseButton'
import FormCheckRadio from '../../components/FormCheckRadio'
import FormCheckRadioGroup from '../../components/FormCheckRadioGroup'
import { SelectField } from "../../components/SelectField";
import { SelectFieldMany } from "../../components/SelectFieldMany";
import { SwitchField } from '../../components/SwitchField'
import {RichTextField} from "../../components/RichTextField";
import { update, fetch } from '../../stores/hoa_parameters/hoa_parametersSlice'
import { useAppDispatch, useAppSelector } from '../../stores/hooks'
import { useRouter } from 'next/router'
import dataFormatter from '../../helpers/dataFormatter';
const EditHoa_parametersPage = () => {
const router = useRouter()
const dispatch = useAppDispatch()
const initVals = {
hoas: null,
hoa: null,
units_per_hoa: '',
'unit_types': '',
'vendor_categories': '',
faq_limit: '',
doc_limit: '',
chatbot_suggestion_count: '',
'reminder_periods': '',
'escalation_timeframes': '',
}
const [initialValues, setInitialValues] = useState(initVals)
const { hoa_parameters } = useAppSelector((state) => state.hoa_parameters)
const { id } = router.query
useEffect(() => {
dispatch(fetch({ id: id }))
}, [id])
useEffect(() => {
if (typeof hoa_parameters === 'object') {
setInitialValues(hoa_parameters)
}
}, [hoa_parameters])
useEffect(() => {
if (typeof hoa_parameters === 'object') {
const newInitialVal = {...initVals};
Object.keys(initVals).forEach(el => newInitialVal[el] = (hoa_parameters)[el])
setInitialValues(newInitialVal);
}
}, [hoa_parameters])
const handleSubmit = async (data) => {
await dispatch(update({ id: id, data }))
await router.push('/hoa_parameters/hoa_parameters-list')
}
return (
<>
<Head>
<title>{getPageTitle('Edit hoa_parameters')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title={'Edit hoa_parameters'} main>
{''}
</SectionTitleLineWithButton>
<CardBox>
<Formik
enableReinitialize
initialValues={initialValues}
onSubmit={(values) => handleSubmit(values)}
>
<Form>
<FormField label='hoas' labelFor='hoas'>
<Field
name='hoas'
id='hoas'
component={SelectField}
options={initialValues.hoas}
itemRef={'hoas'}
showField={'name'}
></Field>
</FormField>
<FormField label='Hoa' labelFor='hoa'>
<Field
name='hoa'
id='hoa'
component={SelectField}
options={initialValues.hoa}
itemRef={'hoas'}
showField={'name'}
></Field>
</FormField>
<FormField
label="Units per hoa"
>
<Field
type="number"
name="units_per_hoa"
placeholder="Units per hoa"
/>
</FormField>
<FormField
label="Unit types"
>
<Field
name="unit_types"
placeholder="Unit types"
/>
</FormField>
<FormField
label="Vendor categories"
>
<Field
name="vendor_categories"
placeholder="Vendor categories"
/>
</FormField>
<FormField
label="Faq limit"
>
<Field
type="number"
name="faq_limit"
placeholder="Faq limit"
/>
</FormField>
<FormField
label="Doc limit"
>
<Field
type="number"
name="doc_limit"
placeholder="Doc limit"
/>
</FormField>
<FormField
label="Chatbot suggestion count"
>
<Field
type="number"
name="chatbot_suggestion_count"
placeholder="Chatbot suggestion count"
/>
</FormField>
<FormField
label="Reminder periods"
>
<Field
name="reminder_periods"
placeholder="Reminder periods"
/>
</FormField>
<FormField
label="Escalation timeframes"
>
<Field
name="escalation_timeframes"
placeholder="Escalation timeframes"
/>
</FormField>
<BaseDivider />
<BaseButtons>
<BaseButton type="submit" color="info" label="Submit" />
<BaseButton type="reset" color="info" outline label="Reset" />
<BaseButton type='reset' color='danger' outline label='Cancel' onClick={() => router.push('/hoa_parameters/hoa_parameters-list')}/>
</BaseButtons>
</Form>
</Formik>
</CardBox>
</SectionMain>
</>
)
}
EditHoa_parametersPage.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default EditHoa_parametersPage

View File

@ -0,0 +1,129 @@
import { mdiChartTimelineVariant } from '@mdi/js'
import Head from 'next/head'
import { uniqueId } from 'lodash';
import React, { ReactElement, useState } from 'react'
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import TableHoa_parameters from '../../components/Hoa_parameters/TableHoa_parameters'
import BaseButton from '../../components/BaseButton'
import axios from "axios";
import {useAppDispatch, useAppSelector} from "../../stores/hooks";
import CardBoxModal from "../../components/CardBoxModal";
import DragDropFilePicker from "../../components/DragDropFilePicker";
import {setRefetch, uploadCsv} from '../../stores/hoa_parameters/hoa_parametersSlice';
const Hoa_parametersTablesPage = () => {
const [filterItems, setFilterItems] = useState([]);
const [csvFile, setCsvFile] = useState<File | null>(null);
const [isModalActive, setIsModalActive] = useState(false);
const dispatch = useAppDispatch();
const [filters] = useState([{label: 'Unit types', title: 'unit_types'},{label: 'Vendor categories', title: 'vendor_categories'},{label: 'Reminder periods', title: 'reminder_periods'},{label: 'Escalation timeframes', title: 'escalation_timeframes'},
{label: 'Units per hoa', title: 'units_per_hoa', number: 'true'},{label: 'Faq limit', title: 'faq_limit', number: 'true'},{label: 'Doc limit', title: 'doc_limit', number: 'true'},{label: 'Chatbot suggestion count', title: 'chatbot_suggestion_count', number: 'true'},
]);
const addFilter = () => {
const newItem = {
id: uniqueId(),
fields: {
filterValue: '',
filterValueFrom: '',
filterValueTo: '',
selectedField: '',
},
};
newItem.fields.selectedField = filters[0].title;
setFilterItems([...filterItems, newItem]);
};
const getHoa_parametersCSV = async () => {
const response = await axios({url: '/hoa_parameters?filetype=csv', method: 'GET',responseType: 'blob'});
const type = response.headers['content-type']
const blob = new Blob([response.data], { type: type })
const link = document.createElement('a')
link.href = window.URL.createObjectURL(blob)
link.download = 'hoa_parametersCSV.csv'
link.click()
};
const onModalConfirm = async () => {
if (!csvFile) return;
await dispatch(uploadCsv(csvFile));
dispatch(setRefetch(true));
setCsvFile(null);
setIsModalActive(false);
};
const onModalCancel = () => {
setCsvFile(null);
setIsModalActive(false);
};
return (
<>
<Head>
<title>{getPageTitle('Hoa_parameters')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title="Hoa_parameters" main>
{''}
</SectionTitleLineWithButton>
<CardBox className='mb-6' cardBoxClassName='flex flex-wrap'>
<BaseButton className={'mr-3'} href={'/hoa_parameters/hoa_parameters-new'} color='info' label='New Item' />
<BaseButton
className={'mr-3'}
color='info'
label='Filter'
onClick={addFilter}
/>
<BaseButton className={'mr-3'} color='info' label='Download CSV' onClick={getHoa_parametersCSV} />
<BaseButton
color='info'
label='Upload CSV'
onClick={() => setIsModalActive(true)}
/>
<div className='md:inline-flex items-center ms-auto'>
<div id='delete-rows-button'></div>
</div>
</CardBox>
<CardBox className="mb-6" hasTable>
<TableHoa_parameters
filterItems={filterItems}
setFilterItems={setFilterItems}
filters={filters}
showGrid={false}
/>
</CardBox>
</SectionMain>
<CardBoxModal
title='Upload CSV'
buttonColor='info'
buttonLabel={'Confirm'}
// buttonLabel={false ? 'Deleting...' : 'Confirm'}
isActive={isModalActive}
onConfirm={onModalConfirm}
onCancel={onModalCancel}
>
<DragDropFilePicker
file={csvFile}
setFile={setCsvFile}
formats={'.csv'}
/>
</CardBoxModal>
</>
)
}
Hoa_parametersTablesPage.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default Hoa_parametersTablesPage

View File

@ -0,0 +1,182 @@
import { mdiChartTimelineVariant } from '@mdi/js'
import Head from 'next/head'
import React, { ReactElement } from 'react'
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import { Field, Form, Formik } from 'formik'
import FormField from '../../components/FormField'
import BaseDivider from '../../components/BaseDivider'
import BaseButtons from '../../components/BaseButtons'
import BaseButton from '../../components/BaseButton'
import FormCheckRadio from '../../components/FormCheckRadio'
import FormCheckRadioGroup from '../../components/FormCheckRadioGroup'
import { SwitchField } from '../../components/SwitchField'
import { SelectField } from '../../components/SelectField'
import {RichTextField} from "../../components/RichTextField";
import { create } from '../../stores/hoa_parameters/hoa_parametersSlice'
import { useAppDispatch } from '../../stores/hooks'
import { useRouter } from 'next/router'
const initialValues = {
hoas: '',
hoa: '',
units_per_hoa: '',
unit_types: '',
vendor_categories: '',
faq_limit: '',
doc_limit: '',
chatbot_suggestion_count: '',
reminder_periods: '',
escalation_timeframes: '',
}
const Hoa_parametersNew = () => {
const router = useRouter()
const dispatch = useAppDispatch()
const handleSubmit = async (data) => {
await dispatch(create(data))
await router.push('/hoa_parameters/hoa_parameters-list')
}
return (
<>
<Head>
<title>{getPageTitle('New Item')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title="New Item" main>
{''}
</SectionTitleLineWithButton>
<CardBox>
<Formik
initialValues={
initialValues
}
onSubmit={(values) => handleSubmit(values)}
>
<Form>
<FormField label="hoas" labelFor="hoas">
<Field name="hoas" id="hoas" component={SelectField} options={[]} itemRef={'hoas'}></Field>
</FormField>
<FormField label="Hoa" labelFor="hoa">
<Field name="hoa" id="hoa" component={SelectField} options={[]} itemRef={'hoas'}></Field>
</FormField>
<FormField
label="Units per hoa"
>
<Field
type="number"
name="units_per_hoa"
placeholder="Units per hoa"
/>
</FormField>
<FormField
label="Unit types"
>
<Field
name="unit_types"
placeholder="Unit types"
/>
</FormField>
<FormField
label="Vendor categories"
>
<Field
name="vendor_categories"
placeholder="Vendor categories"
/>
</FormField>
<FormField
label="Faq limit"
>
<Field
type="number"
name="faq_limit"
placeholder="Faq limit"
/>
</FormField>
<FormField
label="Doc limit"
>
<Field
type="number"
name="doc_limit"
placeholder="Doc limit"
/>
</FormField>
<FormField
label="Chatbot suggestion count"
>
<Field
type="number"
name="chatbot_suggestion_count"
placeholder="Chatbot suggestion count"
/>
</FormField>
<FormField
label="Reminder periods"
>
<Field
name="reminder_periods"
placeholder="Reminder periods"
/>
</FormField>
<FormField
label="Escalation timeframes"
>
<Field
name="escalation_timeframes"
placeholder="Escalation timeframes"
/>
</FormField>
<BaseDivider />
<BaseButtons>
<BaseButton type="submit" color="info" label="Submit" />
<BaseButton type="reset" color="info" outline label="Reset" />
<BaseButton type='reset' color='danger' outline label='Cancel' onClick={() => router.push('/hoa_parameters/hoa_parameters-list')}/>
</BaseButtons>
</Form>
</Formik>
</CardBox>
</SectionMain>
</>
)
}
Hoa_parametersNew.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default Hoa_parametersNew

View File

@ -0,0 +1,130 @@
import { mdiChartTimelineVariant } from '@mdi/js'
import Head from 'next/head'
import { uniqueId } from 'lodash';
import React, { ReactElement, useState } from 'react'
import CardBox from '../../components/CardBox'
import LayoutAuthenticated from '../../layouts/Authenticated'
import SectionMain from '../../components/SectionMain'
import SectionTitleLineWithButton from '../../components/SectionTitleLineWithButton'
import { getPageTitle } from '../../config'
import TableHoa_parameters from '../../components/Hoa_parameters/TableHoa_parameters'
import BaseButton from '../../components/BaseButton'
import axios from "axios";
import {useAppDispatch, useAppSelector} from "../../stores/hooks";
import CardBoxModal from "../../components/CardBoxModal";
import DragDropFilePicker from "../../components/DragDropFilePicker";
import {setRefetch, uploadCsv} from '../../stores/hoa_parameters/hoa_parametersSlice';
const Hoa_parametersTablesPage = () => {
const [filterItems, setFilterItems] = useState([]);
const [csvFile, setCsvFile] = useState<File | null>(null);
const [isModalActive, setIsModalActive] = useState(false);
const dispatch = useAppDispatch();
const [filters] = useState([{label: 'Unit types', title: 'unit_types'},{label: 'Vendor categories', title: 'vendor_categories'},{label: 'Reminder periods', title: 'reminder_periods'},{label: 'Escalation timeframes', title: 'escalation_timeframes'},
{label: 'Units per hoa', title: 'units_per_hoa', number: 'true'},{label: 'Faq limit', title: 'faq_limit', number: 'true'},{label: 'Doc limit', title: 'doc_limit', number: 'true'},{label: 'Chatbot suggestion count', title: 'chatbot_suggestion_count', number: 'true'},
]);
const addFilter = () => {
const newItem = {
id: uniqueId(),
fields: {
filterValue: '',
filterValueFrom: '',
filterValueTo: '',
selectedField: '',
},
};
newItem.fields.selectedField = filters[0].title;
setFilterItems([...filterItems, newItem]);
};
const getHoa_parametersCSV = async () => {
const response = await axios({url: '/hoa_parameters?filetype=csv', method: 'GET',responseType: 'blob'});
const type = response.headers['content-type']
const blob = new Blob([response.data], { type: type })
const link = document.createElement('a')
link.href = window.URL.createObjectURL(blob)
link.download = 'hoa_parametersCSV.csv'
link.click()
};
const onModalConfirm = async () => {
if (!csvFile) return;
await dispatch(uploadCsv(csvFile));
dispatch(setRefetch(true));
setCsvFile(null);
setIsModalActive(false);
};
const onModalCancel = () => {
setCsvFile(null);
setIsModalActive(false);
};
return (
<>
<Head>
<title>{getPageTitle('Hoa_parameters')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title="Hoa_parameters" main>
{''}
</SectionTitleLineWithButton>
<CardBox className='mb-6' cardBoxClassName='flex flex-wrap'>
<BaseButton className={'mr-3'} href={'/hoa_parameters/hoa_parameters-new'} color='info' label='New Item' />
<BaseButton
className={'mr-3'}
color='info'
label='Filter'
onClick={addFilter}
/>
<BaseButton className={'mr-3'} color='info' label='Download CSV' onClick={getHoa_parametersCSV} />
<BaseButton
color='info'
label='Upload CSV'
onClick={() => setIsModalActive(true)}
/>
<div className='md:inline-flex items-center ms-auto'>
<div id='delete-rows-button'></div>
</div>
</CardBox>
<CardBox className="mb-6" hasTable>
<TableHoa_parameters
filterItems={filterItems}
setFilterItems={setFilterItems}
filters={filters}
showGrid={true}
/>
</CardBox>
</SectionMain>
<CardBoxModal
title='Upload CSV'
buttonColor='info'
buttonLabel={'Confirm'}
// buttonLabel={false ? 'Deleting...' : 'Confirm'}
isActive={isModalActive}
onConfirm={onModalConfirm}
onCancel={onModalCancel}
>
<DragDropFilePicker
file={csvFile}
setFile={setCsvFile}
formats={'.csv'}
/>
</CardBoxModal>
</>
)
}
Hoa_parametersTablesPage.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default Hoa_parametersTablesPage

View File

@ -0,0 +1,127 @@
import React, { ReactElement, useEffect } from 'react';
import Head from 'next/head'
import DatePicker from "react-datepicker";
import "react-datepicker/dist/react-datepicker.css";
import dayjs from "dayjs";
import {useAppDispatch, useAppSelector} from "../../stores/hooks";
import {useRouter} from "next/router";
import { fetch } from '../../stores/hoa_parameters/hoa_parametersSlice'
import dataFormatter from '../../helpers/dataFormatter';
import LayoutAuthenticated from "../../layouts/Authenticated";
import {getPageTitle} from "../../config";
import SectionTitleLineWithButton from "../../components/SectionTitleLineWithButton";
import SectionMain from "../../components/SectionMain";
import CardBox from "../../components/CardBox";
import BaseButton from "../../components/BaseButton";
import BaseDivider from "../../components/BaseDivider";
import {mdiChartTimelineVariant} from "@mdi/js";
import {SwitchField} from "../../components/SwitchField";
import FormField from "../../components/FormField";
const Hoa_parametersView = () => {
const router = useRouter()
const dispatch = useAppDispatch()
const { hoa_parameters } = useAppSelector((state) => state.hoa_parameters)
const { id } = router.query;
function removeLastCharacter(str) {
console.log(str,`str`)
return str.slice(0, -1);
}
useEffect(() => {
dispatch(fetch({ id }));
}, [dispatch, id]);
return (
<>
<Head>
<title>{getPageTitle('View hoa_parameters')}</title>
</Head>
<SectionMain>
<SectionTitleLineWithButton icon={mdiChartTimelineVariant} title={removeLastCharacter('View hoa_parameters')} main>
<BaseButton
color='info'
label='Edit'
href={`/hoa_parameters/hoa_parameters-edit/?id=${id}`}
/>
</SectionTitleLineWithButton>
<CardBox>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>hoas</p>
<p>{hoa_parameters?.hoas?.name ?? 'No data'}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Hoa</p>
<p>{hoa_parameters?.hoa?.name ?? 'No data'}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Units per hoa</p>
<p>{hoa_parameters?.units_per_hoa || 'No data'}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Unit types</p>
<p>{hoa_parameters?.unit_types}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Vendor categories</p>
<p>{hoa_parameters?.vendor_categories}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Faq limit</p>
<p>{hoa_parameters?.faq_limit || 'No data'}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Doc limit</p>
<p>{hoa_parameters?.doc_limit || 'No data'}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Chatbot suggestion count</p>
<p>{hoa_parameters?.chatbot_suggestion_count || 'No data'}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Reminder periods</p>
<p>{hoa_parameters?.reminder_periods}</p>
</div>
<div className={'mb-4'}>
<p className={'block font-bold mb-2'}>Escalation timeframes</p>
<p>{hoa_parameters?.escalation_timeframes}</p>
</div>
<BaseDivider />
<BaseButton
color='info'
label='Back'
onClick={() => router.push('/hoa_parameters/hoa_parameters-list')}
/>
</CardBox>
</SectionMain>
</>
);
};
Hoa_parametersView.getLayout = function getLayout(page: ReactElement) {
return (
<LayoutAuthenticated>
{page}
</LayoutAuthenticated>
)
}
export default Hoa_parametersView;

View File

@ -537,6 +537,369 @@ const HoasView = () => {
</CardBox>
</>
<>
<p className={'block font-bold mb-2'}>Request_types hoas</p>
<CardBox
className='mb-6 border border-gray-300 rounded overflow-hidden'
hasTable
>
<div className='overflow-x-auto'>
<table>
<thead>
<tr>
<th>Name</th>
<th>Status</th>
</tr>
</thead>
<tbody>
{hoas.request_types_hoas && Array.isArray(hoas.request_types_hoas) &&
hoas.request_types_hoas.map((item: any) => (
<tr key={item.id} onClick={() => router.push(`/request_types/request_types-view/?id=${item.id}`)}>
<td data-label="name">
{ item.name }
</td>
<td data-label="status">
{ item.status }
</td>
</tr>
))}
</tbody>
</table>
</div>
{!hoas?.request_types_hoas?.length && <div className={'text-center py-4'}>No data</div>}
</CardBox>
</>
<>
<p className={'block font-bold mb-2'}>Request_types Hoa</p>
<CardBox
className='mb-6 border border-gray-300 rounded overflow-hidden'
hasTable
>
<div className='overflow-x-auto'>
<table>
<thead>
<tr>
<th>Name</th>
<th>Status</th>
</tr>
</thead>
<tbody>
{hoas.request_types_hoa && Array.isArray(hoas.request_types_hoa) &&
hoas.request_types_hoa.map((item: any) => (
<tr key={item.id} onClick={() => router.push(`/request_types/request_types-view/?id=${item.id}`)}>
<td data-label="name">
{ item.name }
</td>
<td data-label="status">
{ item.status }
</td>
</tr>
))}
</tbody>
</table>
</div>
{!hoas?.request_types_hoa?.length && <div className={'text-center py-4'}>No data</div>}
</CardBox>
</>
<>
<p className={'block font-bold mb-2'}>Global_parameters hoas</p>
<CardBox
className='mb-6 border border-gray-300 rounded overflow-hidden'
hasTable
>
<div className='overflow-x-auto'>
<table>
<thead>
<tr>
<th>Max units per hoa</th>
<th>Allowed unit types</th>
<th>Max residents per unit</th>
<th>Max managers per hoa</th>
<th>Max security per hoa</th>
</tr>
</thead>
<tbody>
{hoas.global_parameters_hoas && Array.isArray(hoas.global_parameters_hoas) &&
hoas.global_parameters_hoas.map((item: any) => (
<tr key={item.id} onClick={() => router.push(`/global_parameters/global_parameters-view/?id=${item.id}`)}>
<td data-label="max_units_per_hoa">
{ item.max_units_per_hoa }
</td>
<td data-label="allowed_unit_types">
{ item.allowed_unit_types }
</td>
<td data-label="max_residents_per_unit">
{ item.max_residents_per_unit }
</td>
<td data-label="max_managers_per_hoa">
{ item.max_managers_per_hoa }
</td>
<td data-label="max_security_per_hoa">
{ item.max_security_per_hoa }
</td>
</tr>
))}
</tbody>
</table>
</div>
{!hoas?.global_parameters_hoas?.length && <div className={'text-center py-4'}>No data</div>}
</CardBox>
</>
<>
<p className={'block font-bold mb-2'}>Hoa_parameters hoas</p>
<CardBox
className='mb-6 border border-gray-300 rounded overflow-hidden'
hasTable
>
<div className='overflow-x-auto'>
<table>
<thead>
<tr>
<th>Units per hoa</th>
<th>Unit types</th>
<th>Vendor categories</th>
<th>Faq limit</th>
<th>Doc limit</th>
<th>Chatbot suggestion count</th>
<th>Reminder periods</th>
<th>Escalation timeframes</th>
</tr>
</thead>
<tbody>
{hoas.hoa_parameters_hoas && Array.isArray(hoas.hoa_parameters_hoas) &&
hoas.hoa_parameters_hoas.map((item: any) => (
<tr key={item.id} onClick={() => router.push(`/hoa_parameters/hoa_parameters-view/?id=${item.id}`)}>
<td data-label="units_per_hoa">
{ item.units_per_hoa }
</td>
<td data-label="unit_types">
{ item.unit_types }
</td>
<td data-label="vendor_categories">
{ item.vendor_categories }
</td>
<td data-label="faq_limit">
{ item.faq_limit }
</td>
<td data-label="doc_limit">
{ item.doc_limit }
</td>
<td data-label="chatbot_suggestion_count">
{ item.chatbot_suggestion_count }
</td>
<td data-label="reminder_periods">
{ item.reminder_periods }
</td>
<td data-label="escalation_timeframes">
{ item.escalation_timeframes }
</td>
</tr>
))}
</tbody>
</table>
</div>
{!hoas?.hoa_parameters_hoas?.length && <div className={'text-center py-4'}>No data</div>}
</CardBox>
</>
<>
<p className={'block font-bold mb-2'}>Hoa_parameters Hoa</p>
<CardBox
className='mb-6 border border-gray-300 rounded overflow-hidden'
hasTable
>
<div className='overflow-x-auto'>
<table>
<thead>
<tr>
<th>Units per hoa</th>
<th>Unit types</th>
<th>Vendor categories</th>
<th>Faq limit</th>
<th>Doc limit</th>
<th>Chatbot suggestion count</th>
<th>Reminder periods</th>
<th>Escalation timeframes</th>
</tr>
</thead>
<tbody>
{hoas.hoa_parameters_hoa && Array.isArray(hoas.hoa_parameters_hoa) &&
hoas.hoa_parameters_hoa.map((item: any) => (
<tr key={item.id} onClick={() => router.push(`/hoa_parameters/hoa_parameters-view/?id=${item.id}`)}>
<td data-label="units_per_hoa">
{ item.units_per_hoa }
</td>
<td data-label="unit_types">
{ item.unit_types }
</td>
<td data-label="vendor_categories">
{ item.vendor_categories }
</td>
<td data-label="faq_limit">
{ item.faq_limit }
</td>
<td data-label="doc_limit">
{ item.doc_limit }
</td>
<td data-label="chatbot_suggestion_count">
{ item.chatbot_suggestion_count }
</td>
<td data-label="reminder_periods">
{ item.reminder_periods }
</td>
<td data-label="escalation_timeframes">
{ item.escalation_timeframes }
</td>
</tr>
))}
</tbody>
</table>
</div>
{!hoas?.hoa_parameters_hoa?.length && <div className={'text-center py-4'}>No data</div>}
</CardBox>
</>
<>
<p className={'block font-bold mb-2'}>Chatbot_entries hoas</p>
<CardBox
className='mb-6 border border-gray-300 rounded overflow-hidden'
hasTable
>
<div className='overflow-x-auto'>
<table>
<thead>
<tr>
<th>Question</th>
<th>Answer</th>
</tr>
</thead>
<tbody>
{hoas.chatbot_entries_hoas && Array.isArray(hoas.chatbot_entries_hoas) &&
hoas.chatbot_entries_hoas.map((item: any) => (
<tr key={item.id} onClick={() => router.push(`/chatbot_entries/chatbot_entries-view/?id=${item.id}`)}>
<td data-label="question">
{ item.question }
</td>
<td data-label="answer">
{ item.answer }
</td>
</tr>
))}
</tbody>
</table>
</div>
{!hoas?.chatbot_entries_hoas?.length && <div className={'text-center py-4'}>No data</div>}
</CardBox>
</>
<>
<p className={'block font-bold mb-2'}>Chatbot_entries Hoa</p>
<CardBox
className='mb-6 border border-gray-300 rounded overflow-hidden'
hasTable
>
<div className='overflow-x-auto'>
<table>
<thead>
<tr>
<th>Question</th>
<th>Answer</th>
</tr>
</thead>
<tbody>
{hoas.chatbot_entries_hoa && Array.isArray(hoas.chatbot_entries_hoa) &&
hoas.chatbot_entries_hoa.map((item: any) => (
<tr key={item.id} onClick={() => router.push(`/chatbot_entries/chatbot_entries-view/?id=${item.id}`)}>
<td data-label="question">
{ item.question }
</td>
<td data-label="answer">
{ item.answer }
</td>
</tr>
))}
</tbody>
</table>
</div>
{!hoas?.chatbot_entries_hoa?.length && <div className={'text-center py-4'}>No data</div>}
</CardBox>
</>
<BaseDivider />
<BaseButton

View File

@ -319,6 +319,45 @@ const UsersView = () => {
</CardBox>
</>
<>
<p className={'block font-bold mb-2'}>Chatbot_entries Created_by</p>
<CardBox
className='mb-6 border border-gray-300 rounded overflow-hidden'
hasTable
>
<div className='overflow-x-auto'>
<table>
<thead>
<tr>
<th>Question</th>
<th>Answer</th>
</tr>
</thead>
<tbody>
{users.chatbot_entries_created_by && Array.isArray(users.chatbot_entries_created_by) &&
users.chatbot_entries_created_by.map((item: any) => (
<tr key={item.id} onClick={() => router.push(`/chatbot_entries/chatbot_entries-view/?id=${item.id}`)}>
<td data-label="question">
{ item.question }
</td>
<td data-label="answer">
{ item.answer }
</td>
</tr>
))}
</tbody>
</table>
</div>
{!users?.chatbot_entries_created_by?.length && <div className={'text-center py-4'}>No data</div>}
</CardBox>
</>
<BaseDivider />
<BaseButton

View File

@ -0,0 +1,229 @@
import { createSlice, createAsyncThunk, PayloadAction } from '@reduxjs/toolkit'
import axios from 'axios'
import {fulfilledNotify, rejectNotify, resetNotify} from "../../helpers/notifyStateHandler";
interface MainState {
chatbot_entries: any
loading: boolean
count: number
refetch: boolean;
rolesWidgets: any[];
notify: {
showNotification: boolean
textNotification: string
typeNotification: string
}
}
const initialState: MainState = {
chatbot_entries: [],
loading: false,
count: 0,
refetch: false,
rolesWidgets: [],
notify: {
showNotification: false,
textNotification: '',
typeNotification: 'warn',
},
}
export const fetch = createAsyncThunk('chatbot_entries/fetch', async (data: any) => {
const { id, query } = data
const result = await axios.get(
`chatbot_entries${
query || (id ? `/${id}` : '')
}`
)
return id ? result.data : {rows: result.data.rows, count: result.data.count};
})
export const deleteItemsByIds = createAsyncThunk(
'chatbot_entries/deleteByIds',
async (data: any, { rejectWithValue }) => {
try {
await axios.post('chatbot_entries/deleteByIds', { data });
} catch (error) {
if (!error.response) {
throw error;
}
return rejectWithValue(error.response.data);
}
},
);
export const deleteItem = createAsyncThunk('chatbot_entries/deleteChatbot_entries', async (id: string, { rejectWithValue }) => {
try {
await axios.delete(`chatbot_entries/${id}`)
} catch (error) {
if (!error.response) {
throw error;
}
return rejectWithValue(error.response.data);
}
})
export const create = createAsyncThunk('chatbot_entries/createChatbot_entries', async (data: any, { rejectWithValue }) => {
try {
const result = await axios.post(
'chatbot_entries',
{ data }
)
return result.data
} catch (error) {
if (!error.response) {
throw error;
}
return rejectWithValue(error.response.data);
}
})
export const uploadCsv = createAsyncThunk(
'chatbot_entries/uploadCsv',
async (file: File, { rejectWithValue }) => {
try {
const data = new FormData();
data.append('file', file);
data.append('filename', file.name);
const result = await axios.post('chatbot_entries/bulk-import', data, {
headers: {
'Content-Type': 'multipart/form-data',
},
});
return result.data;
} catch (error) {
if (!error.response) {
throw error;
}
return rejectWithValue(error.response.data);
}
},
);
export const update = createAsyncThunk('chatbot_entries/updateChatbot_entries', async (payload: any, { rejectWithValue }) => {
try {
const result = await axios.put(
`chatbot_entries/${payload.id}`,
{ id: payload.id, data: payload.data }
)
return result.data
} catch (error) {
if (!error.response) {
throw error;
}
return rejectWithValue(error.response.data);
}
})
export const chatbot_entriesSlice = createSlice({
name: 'chatbot_entries',
initialState,
reducers: {
setRefetch: (state, action: PayloadAction<boolean>) => {
state.refetch = action.payload;
},
},
extraReducers: (builder) => {
builder.addCase(fetch.pending, (state) => {
state.loading = true
resetNotify(state);
})
builder.addCase(fetch.rejected, (state, action) => {
state.loading = false
rejectNotify(state, action);
})
builder.addCase(fetch.fulfilled, (state, action) => {
if (action.payload.rows && action.payload.count >= 0) {
state.chatbot_entries = action.payload.rows;
state.count = action.payload.count;
} else {
state.chatbot_entries = action.payload;
}
state.loading = false
})
builder.addCase(deleteItemsByIds.pending, (state) => {
state.loading = true;
resetNotify(state);
});
builder.addCase(deleteItemsByIds.fulfilled, (state) => {
state.loading = false;
fulfilledNotify(state, 'Chatbot_entries has been deleted');
});
builder.addCase(deleteItemsByIds.rejected, (state, action) => {
state.loading = false;
rejectNotify(state, action);
});
builder.addCase(deleteItem.pending, (state) => {
state.loading = true
resetNotify(state);
})
builder.addCase(deleteItem.fulfilled, (state) => {
state.loading = false
fulfilledNotify(state, `${'Chatbot_entries'.slice(0, -1)} has been deleted`);
})
builder.addCase(deleteItem.rejected, (state, action) => {
state.loading = false
rejectNotify(state, action);
})
builder.addCase(create.pending, (state) => {
state.loading = true
resetNotify(state);
})
builder.addCase(create.rejected, (state, action) => {
state.loading = false
rejectNotify(state, action);
})
builder.addCase(create.fulfilled, (state) => {
state.loading = false
fulfilledNotify(state, `${'Chatbot_entries'.slice(0, -1)} has been created`);
})
builder.addCase(update.pending, (state) => {
state.loading = true
resetNotify(state);
})
builder.addCase(update.fulfilled, (state) => {
state.loading = false
fulfilledNotify(state, `${'Chatbot_entries'.slice(0, -1)} has been updated`);
})
builder.addCase(update.rejected, (state, action) => {
state.loading = false
rejectNotify(state, action);
})
builder.addCase(uploadCsv.pending, (state) => {
state.loading = true;
resetNotify(state);
})
builder.addCase(uploadCsv.fulfilled, (state) => {
state.loading = false;
fulfilledNotify(state, 'Chatbot_entries has been uploaded');
})
builder.addCase(uploadCsv.rejected, (state, action) => {
state.loading = false;
rejectNotify(state, action);
})
},
})
// Action creators are generated for each case reducer function
export const { setRefetch } = chatbot_entriesSlice.actions
export default chatbot_entriesSlice.reducer

View File

@ -14,6 +14,10 @@ import vendorsSlice from "./vendors/vendorsSlice";
import rolesSlice from "./roles/rolesSlice";
import permissionsSlice from "./permissions/permissionsSlice";
import hoasSlice from "./hoas/hoasSlice";
import request_typesSlice from "./request_types/request_typesSlice";
import global_parametersSlice from "./global_parameters/global_parametersSlice";
import hoa_parametersSlice from "./hoa_parameters/hoa_parametersSlice";
import chatbot_entriesSlice from "./chatbot_entries/chatbot_entriesSlice";
export const store = configureStore({
reducer: {
@ -32,6 +36,10 @@ vendors: vendorsSlice,
roles: rolesSlice,
permissions: permissionsSlice,
hoas: hoasSlice,
request_types: request_typesSlice,
global_parameters: global_parametersSlice,
hoa_parameters: hoa_parametersSlice,
chatbot_entries: chatbot_entriesSlice,
},
})