feat: organization metadata redesigned.

This commit is contained in:
a.bouhuolia
2021-09-04 09:49:26 +02:00
parent 4706519121
commit f2c51c6023
24 changed files with 681 additions and 245 deletions

View File

@@ -0,0 +1,60 @@
import { Inject, Service } from 'typedi';
import { Router, Request, Response, NextFunction } from 'express';
import BaseController from 'api/controllers/BaseController';
import { ServiceError } from 'exceptions';
import JobsService from 'services/Jobs/JobsService';
@Service()
export default class ItemsController extends BaseController {
@Inject()
jobsService: JobsService;
/**
* Router constructor.
*/
public router() {
const router = Router();
router.get('/:id', this.getJob, this.handlerServiceErrors);
return router;
}
/**
* Retrieve job details.
* @param {Request} req
* @param {Response} res
* @param {NextFunction} next
*/
private getJob = async (req: Request, res: Response, next: NextFunction) => {
const { id } = req.params;
try {
const job = await this.jobsService.getJob(id);
return res.status(200).send({
job: this.transfromToResponse(job),
});
} catch (error) {
next(error);
}
};
/**
* Handles service errors.
* @param {Error} error
* @param {Request} req
* @param {Response} res
* @param {NextFunction} next
*/
private handlerServiceErrors = (
error: Error,
req: Request,
res: Response,
next: NextFunction
) => {
if (error instanceof ServiceError) {
}
next(error);
};
}

View File

@@ -1,5 +1,7 @@
import { Inject, Service } from 'typedi';
import { Router, Request, Response, NextFunction } from 'express';
import { check, ValidationChain } from 'express-validator';
import asyncMiddleware from 'api/middleware/asyncMiddleware';
import JWTAuth from 'api/middleware/jwtAuth';
import TenancyMiddleware from 'api/middleware/TenancyMiddleware';
@@ -8,9 +10,9 @@ import AttachCurrentTenantUser from 'api/middleware/AttachCurrentTenantUser';
import OrganizationService from 'services/Organization';
import { ServiceError } from 'exceptions';
import BaseController from 'api/controllers/BaseController';
import EnsureConfiguredMiddleware from 'api/middleware/EnsureConfiguredMiddleware';
import SettingsMiddleware from 'api/middleware/SettingsMiddleware';
const DATE_FORMATS = ['MM/DD/YYYY', 'M/D/YYYY'];
const BASE_CURRENCY = ['USD', 'LYD'];
@Service()
export default class OrganizationController extends BaseController {
@Inject()
@@ -28,111 +30,63 @@ export default class OrganizationController extends BaseController {
router.use(AttachCurrentTenantUser);
router.use(TenancyMiddleware);
// Should to seed organization tenant be configured.
router.use('/seed', SubscriptionMiddleware('main'));
router.use('/seed', SettingsMiddleware);
router.use('/seed', EnsureConfiguredMiddleware);
router.use('/build', SubscriptionMiddleware('main'));
router.post('/build', asyncMiddleware(this.build.bind(this)));
router.post('/seed', asyncMiddleware(this.seed.bind(this)));
router.get('/all', asyncMiddleware(this.allOrganizations.bind(this)));
router.post(
'/build',
this.buildValidationSchema,
this.validationResult,
asyncMiddleware(this.build.bind(this)),
this.handleServiceErrors.bind(this)
);
router.put(
'/',
this.asyncMiddleware(this.updateOrganization.bind(this)),
this.handleServiceErrors.bind(this)
);
router.get(
'/current',
asyncMiddleware(this.currentOrganization.bind(this))
'/',
asyncMiddleware(this.currentOrganization.bind(this)),
this.handleServiceErrors.bind(this)
);
return router;
}
/**
* Organization setup schema.
*/
private get buildValidationSchema(): ValidationChain[] {
return [
check('organization_name').exists().trim(),
check('base_currency').exists().isIn(BASE_CURRENCY),
check('timezone').exists(),
check('fiscal_year').exists().isISO8601(),
check('industry').optional().isString(),
check('date_format').optional().isIn(DATE_FORMATS),
];
}
/**
* Builds tenant database and migrate database schema.
* @param {Request} req - Express request.
* @param {Response} res - Express response.
* @param {NextFunction} next
*/
async build(req: Request, res: Response, next: Function) {
const { organizationId } = req.tenant;
const { user } = req;
private async build(req: Request, res: Response, next: Function) {
const { tenantId } = req;
const buildDTO = this.matchedBodyData(req);
try {
await this.organizationService.build(organizationId, user);
const result = await this.organizationService.buildRunJob(
tenantId,
buildDTO
);
return res.status(200).send({
type: 'success',
code: 'ORGANIZATION.DATABASE.INITIALIZED',
message: 'The organization database has been initialized.',
data: result,
});
} catch (error) {
if (error instanceof ServiceError) {
if (error.errorType === 'tenant_not_found') {
return res.status(400).send({
// errors: [{ type: 'TENANT.NOT.FOUND', code: 100 }],
});
}
if (error.errorType === 'tenant_already_initialized') {
return res.status(400).send({
errors: [{ type: 'TENANT.DATABASE.ALREADY.BUILT', code: 200 }],
});
}
}
next(error);
}
}
/**
* Seeds initial data to tenant database.
* @param {Request} req
* @param {Response} res
* @param {NextFunction} next
*/
async seed(req: Request, res: Response, next: Function) {
const { organizationId } = req.tenant;
try {
await this.organizationService.seed(organizationId);
return res.status(200).send({
type: 'success',
code: 'ORGANIZATION.DATABASE.SEED',
message: 'The organization database has been seeded.',
});
} catch (error) {
if (error instanceof ServiceError) {
if (error.errorType === 'tenant_not_found') {
return res.status(400).send({
errors: [{ type: 'TENANT.NOT.FOUND', code: 100 }],
});
}
if (error.errorType === 'tenant_already_seeded') {
return res.status(400).send({
errors: [{ type: 'TENANT.DATABASE.ALREADY.SEEDED', code: 200 }],
});
}
if (error.errorType === 'tenant_db_not_built') {
return res.status(400).send({
errors: [{ type: 'TENANT.DATABASE.NOT.BUILT', code: 300 }],
});
}
}
next(error);
}
}
/**
* Listing all organizations that assocaited to the authorized user.
* @param {Request} req
* @param {Response} res
* @param {NextFunction} next
*/
async allOrganizations(req: Request, res: Response, next: NextFunction) {
const { user } = req;
try {
const organizations = await this.organizationService.listOrganizations(
user
);
return res.status(200).send({ organizations });
} catch (error) {
next(error);
}
@@ -144,7 +98,11 @@ export default class OrganizationController extends BaseController {
* @param {Response} res
* @param {NextFunction} next
*/
async currentOrganization(req: Request, res: Response, next: NextFunction) {
private async currentOrganization(
req: Request,
res: Response,
next: NextFunction
) {
const { tenantId } = req;
try {
@@ -156,4 +114,68 @@ export default class OrganizationController extends BaseController {
next(error);
}
}
/**
* Update the organization information.
* @param {Request} req
* @param {Response} res
* @param {NextFunction} next
* @returns
*/
private async updateOrganization(
req: Request,
res: Response,
next: NextFunction
) {
const { tenantId } = req;
const tenantDTO = this.matchedBodyData(req);
try {
const organization = await this.organizationService.updateOrganization(
tenantId,
tenantDTO
);
return res.status(200).send(
this.transfromToResponse({
tenantId,
message: 'Organization information has been updated successfully.',
})
);
} catch (error) {
next(error);
}
}
/**
* Handles service errors.
* @param {Error} error
* @param {Request} req
* @param {Response} res
* @param {NextFunction} next
*/
private handleServiceErrors(
error: Error,
req: Request,
res: Response,
next: NextFunction
) {
if (error instanceof ServiceError) {
if (error.errorType === 'tenant_not_found') {
return res.status(400).send({
errors: [{ type: 'TENANT.NOT.FOUND', code: 100 }],
});
}
if (error.errorType === 'TENANT_ALREADY_BUILT') {
return res.status(400).send({
errors: [{ type: 'TENANT_ALREADY_BUILT', code: 200 }],
});
}
if (error.errorType === 'TENANT_IS_BUILDING') {
return res.status(400).send({
errors: [{ type: 'TENANT_IS_BUILDING', code: 300 }],
});
}
}
next(error);
}
}

View File

@@ -11,7 +11,6 @@ import EnsureTenantIsInitialized from 'api/middleware/EnsureTenantIsInitialized'
import SettingsMiddleware from 'api/middleware/SettingsMiddleware';
import I18nMiddleware from 'api/middleware/I18nMiddleware';
import I18nAuthenticatedMiddlware from 'api/middleware/I18nAuthenticatedMiddlware';
import EnsureConfiguredMiddleware from 'api/middleware/EnsureConfiguredMiddleware';
import EnsureTenantIsSeeded from 'api/middleware/EnsureTenantIsSeeded';
// Routes
@@ -41,8 +40,8 @@ import Ping from 'api/controllers/Ping';
import Subscription from 'api/controllers/Subscription';
import Licenses from 'api/controllers/Subscription/Licenses';
import InventoryAdjustments from 'api/controllers/Inventory/InventoryAdjustments';
import Setup from 'api/controllers/Setup';
import asyncRenderMiddleware from './middleware/AsyncRenderMiddleware';
import Jobs from './controllers/Jobs';
export default () => {
const app = Router();
@@ -59,7 +58,7 @@ export default () => {
app.use('/subscription', Container.get(Subscription).router());
app.use('/organization', Container.get(Organization).router());
app.use('/ping', Container.get(Ping).router());
app.use('/setup', Container.get(Setup).router());
app.use('/jobs', Container.get(Jobs).router());
// - Dashboard routes.
// ---------------------------
@@ -72,7 +71,6 @@ export default () => {
dashboard.use(EnsureTenantIsInitialized);
dashboard.use(SettingsMiddleware);
dashboard.use(I18nAuthenticatedMiddlware);
dashboard.use(EnsureConfiguredMiddleware);
dashboard.use(EnsureTenantIsSeeded);
dashboard.use('/users', Container.get(Users).router());

View File

@@ -1,12 +0,0 @@
import { Request, Response, NextFunction } from 'express';
export default (req: Request, res: Response, next: NextFunction) => {
const { settings } = req;
if (!settings.get('app_configured', false)) {
return res.boom.badRequest(null, {
errors: [{ type: 'APP.NOT.CONFIGURED', code: 100 }],
});
}
next();
};