Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Implement Template Storage and Management #37

Open
wants to merge 2 commits into
base: main
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
5 changes: 5 additions & 0 deletions server/.env
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
# Server Configuration
HOST=localhost
PORT=9000

# Other configuration variables can be added here as needed
5 changes: 5 additions & 0 deletions server/.env_example
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
# Server Configuration
HOST=localhost
PORT=9000

# Other configuration variables can be added here as needed
105 changes: 88 additions & 17 deletions server/index.ts
Original file line number Diff line number Diff line change
@@ -1,8 +1,13 @@
import 'source-map-support/register';
import OpenAPIBackend, { Request } from 'openapi-backend';
import OpenAPIBackend, { Request, Context } from 'openapi-backend';
import Express from 'express';
import morgan from 'morgan'
import morgan from 'morgan';
import path from 'path';
import dotenv from 'dotenv';
import { TemplateStore, TemplateNotFoundError, DuplicateTemplateError } from './src/services/TemplateStore';

// Load environment variables from .env file
dotenv.config({ path: path.join(__dirname, '..', '.env') });

import { Request as ExpressReq, Response as ExpressRes } from 'express';

@@ -12,24 +17,85 @@ app.use(Express.json());
const openApiPath = path.join(__dirname, '..', '..', 'openapi.json');
console.log(openApiPath);

// Initialize template store
const templateStore = new TemplateStore();

// define api
const api = new OpenAPIBackend({
quick: true, // disabled validation of OpenAPI on load
definition: openApiPath,
handlers: {
listTemplates: async (c, req: Express.Request, res: Express.Response) =>
res.status(200).json([]),
createTemplate: async (c, req: Express.Request, res: Express.Response) =>
res.status(200).json({}),
getTemplate: async (c, req: Express.Request, res: Express.Response) =>
res.status(200).json({}),
replaceTemplate: async (c, req: Express.Request, res: Express.Response) =>
res.status(200).json({}),
deleteTemplate: async (c, req: Express.Request, res: Express.Response) =>
res.status(200).json({}),
validationFail: async (c, req: ExpressReq, res: ExpressRes) => res.status(400).json({ err: c.validation.errors }),
notFound: async (c, req: ExpressReq, res: ExpressRes) => res.status(404).json({ err: 'not found' }),
notImplemented: async (c, req: ExpressReq, res: ExpressRes) => {
listTemplates: async (c: Context, req: Express.Request, res: Express.Response) => {
try {
const templates = await templateStore.listTemplates();
res.status(200).json(templates);
} catch (error) {
console.error('Error listing templates:', error);
res.status(500).json({ error: 'Internal server error' });
}
},
createTemplate: async (c: Context, req: Express.Request, res: Express.Response) => {
try {
const template = await templateStore.createTemplate(req.body);
res.status(201).json(template);
} catch (error) {
if (error instanceof DuplicateTemplateError) {
res.status(409).json({ error: error.message });
} else {
console.error('Error creating template:', error);
res.status(500).json({ error: 'Internal server error' });
}
}
},
getTemplate: async (c: Context, req: Express.Request, res: Express.Response) => {
try {
const id = Array.isArray(c.request.params.id) ? c.request.params.id[0] : c.request.params.id;
const template = await templateStore.getTemplate(id);
res.status(200).json(template);
} catch (error) {
if (error instanceof TemplateNotFoundError) {
res.status(404).json({ error: error.message });
} else {
console.error('Error getting template:', error);
res.status(500).json({ error: 'Internal server error' });
}
}
},
replaceTemplate: async (c: Context, req: Express.Request, res: Express.Response) => {
try {
const id = Array.isArray(c.request.params.id) ? c.request.params.id[0] : c.request.params.id;
const template = await templateStore.updateTemplate(id, req.body);
res.status(200).json(template);
} catch (error) {
if (error instanceof TemplateNotFoundError) {
res.status(404).json({ error: error.message });
} else if (error instanceof DuplicateTemplateError) {
res.status(409).json({ error: error.message });
} else {
console.error('Error updating template:', error);
res.status(500).json({ error: 'Internal server error' });
}
}
},
deleteTemplate: async (c: Context, req: Express.Request, res: Express.Response) => {
try {
const id = Array.isArray(c.request.params.id) ? c.request.params.id[0] : c.request.params.id;
await templateStore.deleteTemplate(id);
res.status(204).send();
} catch (error) {
if (error instanceof TemplateNotFoundError) {
res.status(404).json({ error: error.message });
} else {
console.error('Error deleting template:', error);
res.status(500).json({ error: 'Internal server error' });
}
}
},
validationFail: async (c: Context, req: ExpressReq, res: ExpressRes) =>
res.status(400).json({ error: c.validation.errors }),
notFound: async (c: Context, req: ExpressReq, res: ExpressRes) =>
res.status(404).json({ error: 'not found' }),
notImplemented: async (c: Context, req: ExpressReq, res: ExpressRes) => {
const { status, mock } = c.api.mockResponseForOperation(c.operation.operationId);
return res.status(status).json(mock);
},
@@ -42,7 +108,12 @@ api.init();
app.use(morgan('combined'));

// use as express middleware
app.use((req, res) => api.handleRequest(req as Request, req, res));
app.use((req: Express.Request, res: Express.Response) => api.handleRequest(req as Request, req, res));

const HOST = process.env.HOST || 'localhost';
const PORT = parseInt(process.env.PORT || '9000', 10);

// start server
app.listen(9000, () => console.info('api listening at http://localhost:9000'));
app.listen(PORT, HOST, () => {
console.info(`API listening at http://${HOST}:${PORT}`);
});
12 changes: 8 additions & 4 deletions server/jest.config.js
Original file line number Diff line number Diff line change
@@ -1,5 +1,9 @@
module.exports = {
preset: 'ts-jest',
testEnvironment: 'node',
testMatch: [ '**/?(*.)+(spec|test).ts?(x)' ]
};
preset: 'ts-jest',
testEnvironment: 'node',
roots: ['<rootDir>/src'],
testMatch: ['**/*.test.ts'],
transform: {
'^.+\\.tsx?$': 'ts-jest'
}
};
96 changes: 68 additions & 28 deletions server/package-lock.json

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

23 changes: 13 additions & 10 deletions server/package.json
Original file line number Diff line number Diff line change
@@ -1,38 +1,41 @@
{
"name": "apap-server",
"version": "1.0.0",
"description": "",
"description": "APAP Reference Implementation",
"author": "Dan Selman",
"license": "Apache-2",
"keywords": [],
"scripts": {
"postinstall": "npm run build",
"build": "tsc",
"watch-build": "tsc -w",
"start": "node dist/index.js",
"start": "ts-node index.ts",
"watch-start": "nodemon --delay 2 -w dist/ -x 'npm run start'",
"dev": "concurrently -k -p '[{name}]' -n 'typescript,api' -c 'yellow.bold,cyan.bold' npm:watch-build npm:watch-start",
"lint": "tslint --format prose --project .",
"test": "jest"
},
"dependencies": {
"express": "^4.16.4",
"morgan": "^1.9.1",
"@types/uuid": "^10.0.0",
"dotenv": "^16.4.5",
"express": "^4.17.1",
"morgan": "^1.10.0",
"openapi-backend": "^5.2.0",
"source-map-support": "^0.5.10"
"source-map-support": "^0.5.19",
"uuid": "^11.1.0"
},
"devDependencies": {
"@types/express": "^4.17.13",
"@types/express": "^4.17.21",
"@types/jest": "^29.2.5",
"@types/morgan": "^1.7.35",
"@types/node": "^10.12.26",
"@types/morgan": "^1.9.9",
"@types/node": "^20.11.24",
"axios": "^1.6.0",
"concurrently": "^6.2.0",
"jest": "^29.3.1",
"nodemon": "^1.18.10",
"ts-jest": "^29.0.3",
"tslint": "^5.12.1",
"typescript": "^4.3.2",
"typescript": "^5.3.3",
"wait-on": "^3.2.0"
}
}
}
Loading