Use JavaScript and hapijs to build web applications. See the essentials of how to build hapi applications: authentication, validation, application architecture, and testing. Plus, delve into deeper topics like: bearer-tokens, caching, the request lifecycle.
First, we need some basic structure: a lib folder, a package.json file, and an initial ./lib/index.js.
Since we will be using hapi, we need to include that in the project dependencies.
Second, create a basic hapi server on port 8000 which responds to /version requests and replies with a simple { "version": "0.1.1" } JSON payload. The version data in the response should come from the package.json file.
npm init
npm install --save hapi
Above assignment is from original assignment1 by @hueniverse and work by @AdriVanHoudt. See this PR.
- style guide note how hapi uses Module globals and internals.
- Discussion on assigning variables, modules, singletons, and callbacks
- Read about github's compare tags feature to view solutions. compare tags is a useful feature to compare different states of your projects. It is used throughout this project.
- hapi documentation on server options
The right way to work with hapi is to build your application using plugins. Plugins provide a way to organize your code into logical components and then put them together in different combinations or deploy them in different configurations. While some plugins are published as general purpose utilities (e.g. adding authentication), you should think of plugins as a way to break your code into pieces.
Now that we have a basic server with one endpoint, we want to move the creation of the endpoint to a plugin,
and then register that plugin with the server. Create a new file lib/version.js and move the /version endpoint there.
Then, change our current lib/index.js to require the new plugin file and register the version plugin with our server.
The server.register() function is used to register the plugin.
Remember to follow the style guide, and ask any questions in the comments of the issue created for the assignment. If you are not sure how to get your fork back in sync with the current updated code, use the git guide.
/version end point should reply with a simple JSON payload:
{
version: Package.version,
message: options.message
}
- Notice that
const plugins = []is an array. An array is used to register the Version plugin because more plugins are to be registered in later assignments. - Notice how options are passed to the plugin:
{ message: 'assignment2' }. The/versionpoint returns the message value. - In contrast to plugin options, notice how
server.registeroptions are passed:{ once: true }. Often there is confusion between hapi'sserver.registeroptions and options passed to a plugin being registered. lesson2 clearly shows the difference.{ message: 'assingment2' }illustrates options passed to a plugin. These are options used inside the Version plugin. And, the{ once: true }option is passed to the server when registering plugins:server.register(). See/lib/index.jsfor details.
require('./version') should be declared at the top and assigned toVersion`.- no need for specifying the plugin version in the attributes. This is an internal plugin, not a publicly published one.
compare assignment2 solution to assignment1
view assignment2 solution source
This assignment is from the original assignment2 convert to plugin and discussion related to the assignment written by @hueniverse. The code solution is from work done by @MylesBorins.
Things are getting a bit more interesting...
It's time to add tests, verify coverage, confirm style, and automate all of this with CI (CI means: Continuous Integration). We will be using the lab module to perform these tasks and automate them with travis. Code will be our test's assertian library.
- Export
init()and move the server invocation to a newlib/start.jsfile. Thelib/start.jsfile calls the exportedinit()function and passes configurations options to it. The resolved promise function in start.js outputs the server config details to the console. Changepackage.jsonfile to usestart.jsas the start up script.start.jsfile is not covered by tests. Designing the server to start with an exportedinitfunction allows other scripts and applications to start and stop the server. This is important for several reasons:- It allows testing scripts to start and stop the server to execute tests.
- It allows another program to start and stop the application. This is useful when using hapi to build services - soa (service oriented architecture). Sometimes you make several hapi services to run on one computer and collaborate with each other.
- It allows for the
start.jsscript to start and stop the application.
- Add a
.travis.ymlfile. When a .travis.yml file exists in a GitHub repository the project is built and all tests are executed..travisreports if all tests successfully pass or not. Note, you must configure github to excute travis CI upon events (push or PR) to the repository. This is found under: Settings -> Integration & Services. - Add a test folder with two files,
version.jsandindex.js, each testing the corresponding file under/lib. - Modify the
package.jsonfile to include tests. Install the dev dependencieslabandcode. - When using lab, enable coverage, require 100% coverage, enable linting with default rules, and install and use code assertion library.
See
package.jsonfile to view the test command or see a test command write up here. - Write a basic test to verify our version endpoint in
version.js. - Write tests to get 100% coverage.
To get 100% test coverage you also need to confirm style.
labconfirms if the project's code abides by the hapijs style guide. This is called 'linting'.
Everything should be pretty straight forward. If you are not sure on how to use lab and code, look at other hapi.js modules and copy their test scripts and setup.
Getting 100% coverage can be tricky sometimes so if you are not sure, get as much coverage as you can, and comment on the lines in your pull request where you are having a hard time reaching and someone will give you a clue.
Remember to properly stop() your servers when calling the init() method in each test.
For now, avoid using any of the before() and after() lab features.
As always, ask for help and help others!
- When stubbing / patching code in a test, mark that test with the
{ parallel: false }lab option to make it both safe for future parallel testing as well as visual cue. - Never return anything other than an actual
Erroras an error (e.g. no strings, plain objects, etc.). - Never use fixed port numbers in tests, only
0or the default. - Always
returnbeforenext()unless there is a reason to continue. - Make arguments / options in
init()required. - When calling
server.inject()with a GET request, just pass the path string as the first argument instead of an options object. Makes the code much more readable. - Use the testing shortcuts boilerplate used in hapi. Makes reading tests easier.
- elegant lab and code
good lesson three game plan
go test for dirty bugs- clean up guy on github see travis agree
- talk style, value guidance, hapi emotion,
lab enforces all.
Seek linting, Geek leadership no excuses find lab have fun.
Compare Assignment3 Solution to Assignment2
view assignment3 solution source
Assignment is from original assignment3 and discussion related to it.
The author was @hueniverse.
Original code for the solution was written by idanwe.
See: PR for original source code for solution.
The .travis.yml file is from the hapi project.
- Read documentation server.app property
- Use the
server.appproperty to store the application'sresponse.versionandoptions.message. - Access the
request.serverproperty in the./lib/version.jshandler to return theserver.app.versionand server.app.message values. - Note: The
server.appproperty is useful to set a DB connections in.server.appproperties are available wherever therequest.serveris exposed. As the documentation says:server.appprovides a place to store run-time application data. Data can be accessible wherever the server object can be accessed.
Compare Assignment4 Solution to Assignment3
- In this lesson we change the
/versionroute handler function location. The goal is design program code that is easy to maintain and reuse. Moving route functions from the plugin which registers routes makes for readable route registration plugins. Plus, it allows for easier maintenance and reuse of methods or functions.- When a plugin registers multiple routes or has routes with the request-lifecycle extended, plugin code can get cluttered.
Moving method / function logic out of the plugin keeps route logic readable. Lesson8 will explore the
request-lifecyclemore. - There is a limitation to removing route functions from the plugin registering the route.
Options passed to the plugin at registration time are not available to functions built in files seperate from the plugin.
However, usually this is not an issue. Or, the issue can be by-passed using
server.appproperties.
- When a plugin registers multiple routes or has routes with the request-lifecycle extended, plugin code can get cluttered.
Moving method / function logic out of the plugin keeps route logic readable. Lesson8 will explore the
- Create a route methods directory
./lib/route-methods. Methods used in routes will be stored in this directory. - Create a
version.jsfile in the route-methods directory./lib/route-methods/version.js
Methods used in the/versionroute will be stored here.
Move the/versionhandler function to this file. - Note: this is a personal style preferrence.
Preferrence is to make a split screen view with:- the screen on the left
displaying routes./lib/version.js - the screen on the right
displaying methods executed in the routes./lib/route-methods/version.js
- the screen on the left
- Run tests. No new tests need to be built. But, need to increment lesson value to
1.0.5. Executing passing tests proves changes did not break the application. Enjoy the benefits of CI Continuous Integration.
Compare Assignment5 Solution to Assignment4
- add hapi-auth-bearer-token
npm install --save hapi-auth-bearer-token - Register the authentication strategy in it's own plugin
./lib/authtoken.js. - all routes must have valid token to be accessed
- currently only one route exists:
/version. - valid token equals
1234574
- currently only one route exists:
- 100% tests coverage.
Adjust/versiontests for token authentication. Test for passing and failing tokens.
Notice we have not created user authentication yet -- users have no way to log in.
Tests for the assignment assume a valid auth bearer token for the user already exists.
The focus is on getting hapi auth bearer token plugin installed and configured.
This lesson does not build a complete authentication system.
Here are resources related to auth bearer tokens. Please share if you know of other links and resources related to the subject.
Compare Assignment6 Solution to Assignment5
This assignment started as assignment4.
It contains good discussion regarding authentication issues. For the original solution see: PR.
It used hapi-auth-basic.
- tls the project.
- TLS - Transport Layer Security
- nodejs tls docs
Original TLS assignment completed by @rutaihwa.
Compare Assignment7 Solution to Assignment6
-
build
./authenticateroute.
This moves us one step closer to completing the authentication system. -
Build data store
database.jsto authenticate user records with. User records containscopevalues to implement hapi's way of doing RBAC (role based access control). For this project their are two scopes: ['admin', 'member'].adminis administrative user andmemberis a normal user. -
methods executed in the
/authenticateroute are stored in the./route-methods/authenticate.jsfile. This seprates logic:./lib/version.jscontains route registration logic../route-methods/authenticate.jscontains methods executed in the route.- The
/authenticateroute utilizes hapi's prerequisite request-lifecycle extension. Thepremethod is executed before the handler.
-
Request-lifecycle extensions allows for logic to be split up into multiple functions and be executed at specific times when a request is made to a route.
In respect to route.options.pre methods,These methods allow breaking the handler logic into smaller, reusable components that can be shared across routes, as well as provide a cleaner error handling of prerequisite operations (e.g. load required reference data from a database). Source: route.options.pre
See other documentation for more about the request lifecycle:
The request lifecycle is an essential part of the hapi framework. As the documentation says: "Every incoming request passes through the request lifecycle". Therefore, you want to be familiar with it.
-
No authStrategy applied to
/authenticatepoint. -
generate bearer-token upon successful authentication (cryptiles).
-
Use Boom to return errors.
Compare Assignment8 Solution to Assignment7
- Lesson has some influence from assignment4 of earlier version.
This lesson completes a basic token based authentication system. Currently, our server only has two routes: /version and /authenticate.
Only users with authentic bearer tokens can access server routes. See token strategy in: ./lib/authtoken.js. The lib/authtoken.js strategy
is crude supporting one static token. On the /authenticate route we turn off the requirement for an authentic bearer token
with the false option because unauthenticated users do not have bearer tokens yet. The false option exposes routes to
public unauthenticated users.
At this point, there is a disconnect in the system. A user can generate a valid auth token on the /authenticate route.
But, that token is not stored for future use. As stated earlier, the authentication strategy only considers one token as valid (1234574).
To resolve this issue we use redisdb and hapi's caching plugins.
First, configure a bearer token cache. When a user successfully authenticates, the auth-bearer-token
generated for the session is stored in the cache catabox-redis.
Along with the token, the authenticated user account data is also stored in the cache. This is where a users scopes
are stored. Scope values determine which routes a user can access.
Second, the validateFunction for the auth-bearer-token strategy is modified to use the bearer token cache to validate received tokens.
This solves the above mentioned disconnect in our bearer token system.
Third, we create a /private route which requires administrative user privileges (admin scope) to access route data.
- auth-bearer-token cache
- install redisdb
- configure server to use catbox-redis. This is done in the
./lib/tokencache.jsplugin.
See hapi caching and catbox-redis documentation. - Upon successfull authentication set the bearer-token in cache along with the user record:
./lib/route-methods/authenticate.js. - Expire the token after xxxxx time. Set expiresIn: value with server.options. This allows tests to configure shorter expiration times to avoid sessions created from previous tests colliding.
- configure scopes ['admin', 'member'] for role based access.
- configure
.travis.ymlto use the redis server
- authentication
Refactor authentication logic to:- pre-empt one user from generating multiple tokens using an
activecache.activecache is configured in./lib/tokencache.js. - upon successful authentication set token and user record information in the
authtokenscache.authtokenscache configured in./lib/tokencache.js. - The
./lib/route-methods/authenticate.jslogic is where new auth-tokens are stored in the cached upon successful authentication. Plus, logic to pre-empt the creation of duplicate tokens is written here too.
- pre-empt one user from generating multiple tokens using an
lib/authtoken.js- re-write the
defaultValidateFuncto use the catbox-redis cache to authenticate tokens.
- re-write the
- server configuration options
Configure the server applicationConfigsto set thetokencache.jsplugin options. This allows for test configurations to be modified. Our test configurations modify token expiration times so tokens from different tests do not collide. See:./lib/start.jsconst Configs.plugins.tokenCache.expiresIn. - create ./private point which requires admin scope for access
- Apply default authStrategy to ./private point.
- tests
- write 100% test coverage
- Note FYI (For your information), when building tests for hapi-auth-bearer-token may need to add
{ debug: false }to your server configs. This avoids hapi-auth-bearer-token printing verbose error reports.
- See relevant documentation below:
.travis.yml implementing redisdb is from: catbox-redis project.