This is a simple file-based routing fasitfy application skeleton for JSON API server with some pre-defined features.
After calling the exported init() and start() functions, the fastify server will listen on the specified host and port. The default export is a fastify instance.
Any {.js, .mjs, .ts} file in the app and it's subfolders of your project root that does not starts with underscore(_) will be registered as a fastify plugin. The subfolder name will be the prefix. For example, if you have an app/user/api.js or app/user/other-file.mjs file, you can access it via http://localhost:port/user/YOUR-API.
There are some useful helpers can be used in the route handler. In the following example, the req is the first parameter of the handler, also know as request. The res is the second parameter of the handler function, also known as the reply object in fastify.
Send a 200 response with the data and meta object.
Can be disabled by setting the app.disableReplyHelperFunctions to true.
res.ok({baz: 'It works!'}, {foo: 'bar'})
{
"status": "ok",
"data": {
"baz": "It works!"
},
"meta": {
"foo": "bar"
}
}Send an error object to the client with message and code. The HTTP status code will be set to statusCode(defaults to 200).
import { ApiError } from 'fastify-app';
// and in your route handler:
// ...
throw new ApiError('User Not found', 'err_code_user_not_found', 404, {'error_field':'user'})will return with http status code 404:
{
"status": "error",
"message": "User Not found",
"code": "err_code_user_not_found",
"data": {
"error_field": "username"
}
}This feature can be disabled by setting the app.disableApiErrorHandler to true.
By default, some endpoints for health checking are registered. This behavior can be disabled by setting the app.disableHealthCheckRoutes to true.
The prefix of these endpoints can be changed by setting the app.healthCheckRoutesPrefix in the config.
For health checking.
Generate an api error response with the code passed in the query string.
Generate an uncaught error response.
By default, a state object will be registered to the request object by using fastify.decorateRequest. This behavior can be disabled by setting the app.disableAddRequestState to true.
By default, the server will add the CORS headers to the response. This behavior can be disabled by setting the app.disableCors to true.
By default, the server will log the request and response to console. This behavior can be disabled by setting the fastify.disableRequestLogging to true. All the settings under the fastify key will be passed to the fastify construct function.
By default, the server will log the request body and headers. These behaviors can be disabled by setting the app.disableLogRequestBody or app.disableLogRequestHeaders to true.
Sensitive headers
If you want to redact sensitive headers from the logs, you can set the
fastify.logger.redactoption in the config.
By default, the server will send a Request-Id header to the client. This behavior can be disabled by setting the app.disableSendRequestIdHeader to true.
By default, the server will handle the uncaught errors and return the error object to the client. The HTTP status code defaults to 200 which also can be changed by settting app.InternalServerErrorCode. If process.env.NODE_ENV === 'development', the error detail will be sent to the client.
The response format is:
{
"status": "error",
"message": "Internal Server Error"
}This handler can be disabled by setting the app.disableApiErrorHandler to true.
By default, the server will log the API error(throw new ApiError()). This behavior can be disabled by setting the app.disableLogApiError to true.
npm install fastify-appCreate a config.js file in your project root with the following example:
export default {
server: {
host: '0.0.0.0',
port: 63004,
},
fastify: {
disableRequestLogging: false,
bodyLimit: 52428800, // 50Mb
logger: {
redact: ['req.headers.authorization'],
},
},
app: {
disableCors: false,
disableLogRequestBody: false,
disableLogRequestHeaders: false,
disableLogApiError: false,
disableSendRequestIdHeader: false,
disableApiErrorHandler: false,
internalServerErrorCode: 200,
disableHealthCheckRoutes: false,
healthCheckRoutesPrefix: '/health-check',
enableHealthCheckShowsGitRev: false,
disableAddRequestState: false,
disableReplyHelperFunctions: false,
},
};CommonJS and ES module are both supported.
Create an app folder in your project root, and create a js file in it, api.js for example (or .mjs or .ts), with the following content:
'use strict';
const {default:fastifyAppInstance, ApiError} = require('fastify-app');
module.exports = function() {
// Put custom code here, runs before fastify initializing.
// The fastifyAppInstance is the fastify instance.
// You can use fastifyAppInstance to register plugins, decorators, etc.
// your custom code
// then return your plugin function to the fastify register.
return plugin
}
function plugin(fastify, opts, done) {
fastify.get('/ok', async function(req, res) {
return res.ok({
fooBar: 'It works!',
})
})
fastify.get('/err', async function(req, res) {
throw new ApiError('User Not found', 'err_code_user_not_found', 404, {'foo':'bar'})
})
done()
}After starting the server, this API endpoint can be accssed via http://host:port/ok.
You can also create subfolders in the app folder to organize your API. If you have an app/user/api.js file, you can access it via http://localhost:port/user/endpoint-in-api.js.
Files with names starting with an underscore will not be registered to the fastify instance.
const {default:fastifyApp, init, start} = require('fastify-app');
const config = require('./config.js');
;(async() => {
await init(config); //after calling init(), the fastifyApp is an initialized fastify instance.
await start(); //or you can write your own listen logic.
})();import FastifyApp, {init, start, ApiError} from 'fastify-app';
import config from './config.js';
;(async() => {
await init(config);
await start();
})();- Now the
fastify-appdefault export is a variable that contains the fastify instance (which is undefined before callinginit()). - The initialized fastify instance is no longer defined as a global property (There is no
global.app). - The
configobject is now passed to theinitfunction. - The
initandstartfunctions andApiErrorclass are now exported from thefastify-appmodule. - The
configobject is no longer defined as a property of the fastify app instance (There is noglobal.app.config).
- The database is no longer initialized. You need to initialize the database connection yourself.
- Route files are no longer limited to
api.js. Any file that does not start with an underscore and ends with{.js, .mjs, .ts}will be registered to the fastify instance.