Member-only story
Server-Side Development with Hapi.js — Cookies and Logs
3 min readFeb 19, 2021
Hapi.js is a small Node framework for developing back end web apps.
In this article, we’ll look at how to create back end apps with Hapi.js.
Getting Cookies
We can get cookies with the reques.state
property.
For instance, we can write:
const Hapi = require('@hapi/hapi');
const init = async () => {
const server = Hapi.server({
port: 3000,
host: '0.0.0.0'
});
server.route({
path: '/',
method: 'GET',
handler(request, h) {
const value = request.state.data;
return h.response(value);
},
});
await server.start();
console.log('Server running on %s', server.info.uri);
};
process.on('unhandledRejection', (err) => {
console.log(err);
process.exit(1);
});
init();
We get the data
cookie with the request.state.data
property.
When we send the Cookie
request header with data=foo
as the value, then we see foo
in the response.
Clearing a Cookie
We can clear a cookie by calling the unstate
method.
For example, we can write:
const Hapi = require('@hapi/hapi');
const init = async () => {
const server = Hapi.server({
port: 3000…