diff options
author | Marvin Borner | 2019-01-18 21:07:39 +0100 |
---|---|---|
committer | Marvin Borner | 2019-01-18 21:07:39 +0100 |
commit | 7dd78773cb6c0c3ccfa6784fde98e4ad923b0bc9 (patch) | |
tree | 09083cadac80892a759776cf6ef3b030400f23ab /src |
Initial boilerplate
Diffstat (limited to 'src')
-rw-r--r-- | src/app.js | 40 | ||||
-rw-r--r-- | src/index.js | 4 | ||||
-rw-r--r-- | src/routes.js | 36 |
3 files changed, 80 insertions, 0 deletions
diff --git a/src/app.js b/src/app.js new file mode 100644 index 0000000..6eb3445 --- /dev/null +++ b/src/app.js @@ -0,0 +1,40 @@ +import express from 'express'; +import path from 'path'; +import logger from 'morgan'; +import bodyParser from 'body-parser'; +import routes from './routes'; + +const app = express(); +app.disable('x-powered-by'); + +// View engine setup +app.set('views', path.join(__dirname, '../views')); +app.set('view engine', 'pug'); + +app.use(logger('dev', { + skip: () => app.get('env') === 'test' +})); +app.use(bodyParser.json()); +app.use(bodyParser.urlencoded({extended: false})); +app.use(express.static(path.join(__dirname, '../public'))); + +// Routes +app.use('/', routes); + +// Catch 404 and forward to error handler +app.use((req, res, next) => { + const err = new Error('Not Found'); + err.status = 404; + next(err); +}); + +// Error handler +app.use((err, req, res, next) => { // eslint-disable-line no-unused-vars + res + .status(err.status || 500) + .render('error', { + message: err.message + }); +}); + +export default app; diff --git a/src/index.js b/src/index.js new file mode 100644 index 0000000..fbfb85e --- /dev/null +++ b/src/index.js @@ -0,0 +1,4 @@ +import app from './app'; + +const {PORT = 8080} = process.env; +app.listen(PORT, () => console.log(`Listening on port ${PORT}`)); // eslint-disable-line no-console diff --git a/src/routes.js b/src/routes.js new file mode 100644 index 0000000..a892dac --- /dev/null +++ b/src/routes.js @@ -0,0 +1,36 @@ +import {Router} from 'express'; + +const routes = Router(); + +/** + * GET home page + */ +routes.get('/', (req, res) => { + res.render('index', {title: 'Express Babel'}); +}); + +/** + * GET /list + * + * This is a sample route demonstrating + * a simple approach to error handling and testing + * the global error handler. You most certainly want to + * create different/better error handlers depending on + * your use case. + */ +routes.get('/list', (req, res, next) => { + const {title} = req.query; + + if (title == null || title === '') { + // You probably want to set the response HTTP status to 400 Bad Request + // or 422 Unprocessable Entity instead of the default 500 of + // the global error handler (e.g check out https://github.com/kbariotis/throw.js). + // This is just for demo purposes. + next(new Error('The "title" parameter is required')); + return; + } + + res.render('index', {title}); +}); + +export default routes; |