Jumpstarter is a boilerplate for building a REST API server using Node.js. Most of the web applications have some common set of basic and advanced features that are often rewritten from scratch. Using any kind of boilerplate allows us to focus directly on the actual business logic instead of reinventing the wheel.
NOTE: This readme focuses on how to use Jumpstarter. For a detailed description about the Jumpstarter itself as a boilerplate, read our medium blog post here- LiftOff Jumpstarter REST API Server Kit
All rights belong to their respective owners
Component | Purpose |
---|---|
Node.js | Node Environment |
Yarn | Package Manager |
Hapi.js | Server Framework |
Postgres | Database |
Objection.js / Knex | ORM Framework, Migrations and Seeding |
Bull | Job Queue Management for Worker / Scheduler |
Redis | Bull, Login Sessions, Caching |
Nes | WebSockets |
Node Mailer | Mail Delivery |
New Relic | Performance Monitoring |
Winston | Logging |
Bell | Social Logins (In Progress) |
Joi | Validation |
Lodash | Utility |
Eslint and Prettier | Code Linting and Formatting |
Swagger | API Documentation |
PM2 | Process Management |
Jest / Istanbul | Testing Framework / Coverage |
GitHub Actions | CI/CD |
- Download the latest zip file or clone the repo with depth=1 using below command -
git clone --depth=1 git@github.com:LiftOffLLC/liftoff-jumpstarter-api.git
- Install nvm for node version management and install node v12
- Install PostgreSQL and create databases
jumpstarter
andjumpstarter_test
- Install Redis
- Modify the config details
5.1 Copy.example.env
as.env.development
,.env.test
, etc files in project folder and modify the relevant properties for the project
5.1.1. Database Config
5.1.2. Redis Config (Login auth tokens are stored)
5.1.3. JWT Tokens (Secret Key), etc.
5.2. Fixconfig/default.js
5.3. Fixplugins/hapi-swagger.js
for swagger documentation
5.4. Fixplugins/status-monitor.js
for monitoring - Run
yarn
to install all the dependencies. - Migrate and seed the database using
NODE_ENV=development yarn migrate
- Run
yarn dev
to start the server indev
environment
This will merge Jumpstarter into your project, thereby merging the features added into Jumpstarter after you cloned from Jumpstarter. It will also enable you to pull changes from Jumpstarter in the future.
NOTE: You will probably run into a lot of merge conflicts and breaking changes including but not limited to- renamed/moved/deleted files, renamed/deleted variables, updated database schema, etc. Manually select the changes you want to keep and discard the remaining changes. Preferably keep as many new changes as you can because the future changes will be based on these changes. Use this functionality carefully!
- Set Jumpstarter as a remote in your project
git remote add jumpstarter https://github.com/LiftOffLLC/liftoff-jumpstarter-api.git
- Configure push URL as some invalid URL to prevent pushing to Jumpstarter repository by mistake
git config remote.jumpstarter.pushurl invalid-url
- Pull latest changes from Jumpstarter master into your repository's current branch
git pull --allow-unrelated-histories jumpstarter master
git pull jumpstarter master
- If the
yarn.lock
was changed, runyarn
- If
.example.env
was changed, runyarn env
- If
DB_RECREATE
istrue
; after runningyarn dev
, set it tofalse
to prevent migration on every dev run
NOTE: Not following any one of the above steps will make the environment inconsistent for further development
Don't. Make those changes in Jumpstarter instead.
yarn env:create
-- to create bin/env.sh
yarn env
-- to run bin/env.sh
Note: Update bin/env.sh
as per your requirements
yarn format
-- to format the code
yarn lint:nofix
-- to Check lint issues
yarn lint
-- to fix possible lint issues
yarn inspect
-- to Detect copied code
yarn test:nme
-- to run test cases with verbose logs without migrate without force exit
yarn test:ne
-- to run test cases with verbose logs with migrate without force exit
yarn test:nm
-- to run test cases with verbose logs without migrate with force exit
yarn test
-- to run test cases with verbose logs with migrate with force exit
yarn test:silent
-- to run test cases without verbose logs
Note: test
environment uses a separate database jumpstarter_test
and does not affect dev
environment
yarn knex migrate:rollback
-- to rollback database migration
yarn knex migrate:latest
-- to apply database migration
yarn knex seed:run
-- to run the seed data
yarn migrate
-- to run all of the above in the same order
Note: To migrate an environment other than development, pass NODE_ENV
to the process
e.g. NODE_ENV=test yarn migrate
yarn dev
-- to run the development server; also watches the files using nodemon; also runs worker.
yarn worker
-- to run the worker thread
yarn
to install all the dependencies
yarn start
will stop all the running processes and start the server; No need of Procfile if running only the server.
- Tables, Models: PascalCase
- Columns, Variables: camelCase
- Constants: CONSTANT_CASE
- Routes: kebab-case
- Files: kebab-case[.some-operation].extension
Main source code is located in src/main
and test code in src/test
/app
/bootstrap --> contains bootstrap logic; *DO NOT TOUCH*
/commons --> common logic; better to create re-usable components and move to /modules folder
/controllers --> controller per file
/methods --> server methods; to decorate server.
/models --> database model
/plugins --> HAPI plugins
/policies --> policies
/schedulers --> schedulers files; comes handy when deploying on heroku scheduler.
/workers --> worker files; dot notation is used to bucket the worker
/config --> configuration file;
/database
/migrations --> migrations files
/seeds/master --> seed data; can be extended per env; but needs to be changed in config file
/modules --> common reusable modules
/public --> all the files needed for public view
- Each API is written in separate file in /controllers folder.
- While bootstrapping the server
- routes are built by scanning all the files in /controllers folder
- methods are dynamically decorated for server/request and are picked from /methods folder.
- plugins are added to Hapi server, which give additional functionality like logging, listing all apis, monitoring server status, auth, etc.
- policies are applied to each api. basically, used to control the data flow right from request to post-response. more details can be found at MrHorse project. The use cases are checking the permission, controlling the response, forcing https, etc.
const options = {
auth: Constants.AUTH.ADMIN_ONLY,
description: 'Config Details - Access - admin',
tags: ['api'],
validate: {
params: Joi.object({
userId: Joi.number().integer().positive().description('User Id'),
}),
},
plugins: {
'hapi-swagger': {
responses: _.omit(Constants.API_STATUS_CODES, [201]),
},
policies: [isAuthorized('params.userId')],
},
handler: async (request, h) => Config.toJS(),
};
// eslint-disable-next-line no-unused-vars
const handler = server => {
const details = {
method: ['GET'],
path: '/api/appinfo/{userId}',
config: options,
};
return details;
};
module.exports = {
enabled: true,
operation: handler,
};
Details:
{
enabled: true,
operation: handler
}
Each API must return these two fields - enabled (if true, will be exposed) and operation handler. operation handler must return the following details
- method - can be an array of HTTP Methods.
- path - api path.
- config - discussed below.
auth: Constants.AUTH.ADMIN_ONLY,
By default, the framework has 3 roles - guest, user and admin. Each controller needs to be auth configured as per the access level.
Available options are: ALL, ADMIN_ONLY, ADMIN_OR_USER and ADMIN_OR_USER_OR_GUEST
. Avoid using ALL
Access level, use ADMIN_OR_USER_OR_GUEST
instead.
description: 'Config Details - Access - admin',
tags: ['api'],
description and tags are used foe swagger doc generation.
NOTE: tags must have api
for this router to be listed under swagger.
validate: {
params: Joi.object({
userId: Joi.number().integer().positive().description('User Id')
})
},
Validating the payload, param or query. Uses Joi library for validation. NOTE validation payloads must be wrapped inside a Joi object post Joi v16
The following options can be used inside the validate block, to strip unknown fields. NOTE: Avoid Using it.
options: {
allowUnknown: true,
stripUnknown: true
},
Plugins add values to hapi framework. In this sample, we build the responses for swagger using hapi-swagger plugin.
plugins: {
'hapi-swagger': {
responses: _.omit(Constants.API_STATUS_CODES, [201])
},
policies: [
isAuthorized('params.userId')
]
},
Policies can be used to in handling the pre- and post- operations. Modifying the request, response, validating roles, etc. Hapi provides various lifecycle methods, which can be used for controlling the flow. More details can be found at Mr.Horse project page.
handler: async (request, h) => Config.toJS();
NOTE reply callback has been removed post hapi v17. return the response directly from the handler.
Each model has to subclassed from BaseModel. Refer Objection.js/Knex for usage. Each model to have three fields createdAt
, updatedAt
and isActive
. isActive
is for tracking deleted flags.
$beforeInsert
, $beforeUpdate
, $afterGet
, $validateHook
are the methods wired. These methods can be used to override default logic, like triggering events at model level.
buildCriteriaWithObject
and buildCriteria
are used to build query criteria object.
entityFilteringScope
is for defining the fields that can be displayed/hidden for a given role. The policy entityFilter
does the filtering on postHandler event.
static entityFilteringScope() {
return {
admin: ['hashedPassword'], // fields hidden from admin
user: ['phoneToken', 'isPhoneVerified'], // fields hidden from user role.
guest: ['resetPasswordToken', 'resetPasswordSentAt','socialLogins'] // fields hidden from user role.
// guest: 'all' -- Optionally this array be also be 'all' to hide all the fields from this model.
};
}
Uses Joi Framework to define the rules. Refer User model for sample implementation.
As a practice, define all the validation rules in models, instead of controller for better re-use.
Checkout Read API in /commons folder for usage. The following are the methods exposed from base -
createOrUpdate(model, fetchById = true, trx)
,
count(filters = {})
,
findOne(filters = {}, options = {})
,
findAll(filters = {}, options = {})
,
deleteAll(filters = {}, hardDeleteFlag = true, trx)
- Polymorphic association
- Paging for inner associations
- Wrong Config for email/database will fail
The mailer implementation in src/main/app/commons/mailer.js
is purposely left blank. Update this file as per your email service provider's sdk
- Simple Use-case - Use Nes.
- Complicated - Use custom implementation
create modules
- Use prettier and delete any other plugins which may conflict with the rules.
- Refer to the eslintrc and prettierrc for lint and formatting rules.
- Uses husky and lint-staged in combination to lint staged files before committing. Fix lint errors before committing. NOTE Do not force commit
- Generalize social.js to pull send standardized output.
- Document Preparation Guide for Jumpstarter
a. create .env file and modify accordingly.
b. versioning header/ plugins/hapi-swagger.js
c. status monitoring tool / plugins.status-monitor.js - Generalize error codes and better error schema for response.
a. i18n - internalization support (low)
b. format error code.
c. externalize error messages use error_codes.
message_utility('user.not.found', {id: userId}, opts="lang-en") - Database Issues (caveats)
a. cannot use nested property for filter.
b. pagination/ordering doesn't work for inner associations.
c. polymorphic associations issue.
d. caching responses. - Chat server Jumpstarter kit
- Microservices support
a. create microservices for pdf generation; image upload; image transformation. - Need elaboration on how to cache responses.
- Rate-limit for critical apis. like login/signup.
- Docker image and deployment steps for aws.
- Strict header versioning check for vendor-specific headers.
- Generic CRUD for all models. Scaffolding.
- APIs to support unique constraints in path /userIdOruserName/update
- Update dependencies and yarn lock file regularly.
- Pass server context in all hapi plugins.
- Extract error Handler plugin to plugins folder (depends on 14).
[ ] Create an issue, submit PR for review and once reviewed, will be merged into the master branch.
[ ] Increment version
[ ] Teams to provide their product name so that they can inform about updates.