TypeScript

The Fastify framework is written in vanilla JavaScript, and as such type definitions are not as easy to maintain; however, since version 2 and beyond, maintainers and contributors have put in a great effort to improve the types.

The type system was changed in Fastify version 3. The new type system introduces generic constraining and defaulting, plus a new way to define schema types such as a request body, querystring, and more! As the team works on improving framework and type definition synergy, sometimes parts of the API will not be typed or may be typed incorrectly. We encourage you to contribute to help us fill in the gaps. Just make sure to read our CONTRIBUTING.md file before getting started to make sure things go smoothly!

The documentation in this section covers Fastify version 3.x typings

Plugins may or may not include typings. See Plugins for more information. We encourage users to send pull requests to improve typings support.

🚨 Don’t forget to install @types/node

Learn By Example

The best way to learn the Fastify type system is by example! The following four examples should cover the most common Fastify development cases. After the examples there is further, more detailed documentation for the type system.

Getting Started

This example will get you up and running with Fastify and TypeScript. It results in a blank http Fastify server.

  1. Create a new npm project, install Fastify, and install typescript & node.js types as peer dependencies:

    1. npm init -y
    2. npm i fastify
    3. npm i -D typescript @types/node
  2. Add the following lines to the "scripts" section of the package.json:

    1. {
    2. "scripts": {
    3. "build": "tsc -p tsconfig.json",
    4. "start": "node index.js"
    5. }
    6. }
  3. Initialize a TypeScript configuration file:

    1. npx typescript --init

    or use one of the recommended ones.

  4. Create an index.ts file - this will contain the server code

  5. Add the following code block to your file:

    1. import fastify from 'fastify'
    2. const server = fastify()
    3. server.get('/ping', async (request, reply) => {
    4. return 'pong\n'
    5. })
    6. server.listen(8080, (err, address) => {
    7. if (err) {
    8. console.error(err)
    9. process.exit(1)
    10. }
    11. console.log(`Server listening at ${address}`)
    12. })
  6. Run npm run build - this will compile index.ts into index.js which can be executed using Node.js. If you run into any errors please open an issue in fastify/help

  7. Run npm run start to run the Fastify server

  8. You should see Server listening at http://127.0.0.1:8080 in your console

  9. Try out your server using curl localhost:8080/ping, it should return pong 🏓

🎉 You now have a working Typescript Fastify server! This example demonstrates the simplicity of the version 3.x type system. By default, the type system assumes you are using an http server. The later examples will demonstrate how to create more complex servers such as https and http2, how to specify route schemas, and more!

For more examples on initializing Fastify with TypeScript (such as enabling HTTP2) check out the detailed API section here

Using Generics

The type system heavily relies on generic properties to provide the most accurate development experience. While some may find the overhead a bit cumbersome, the tradeoff is worth it! This example will dive into implementing generic types for route schemas and the dynamic properties located on the route-level request object.

  1. If you did not complete the previous example, follow steps 1-4 to get set up.

  2. Inside index.ts, define two interfaces IQuerystring and IHeaders:

    1. interface IQuerystring {
    2. username: string;
    3. password: string;
    4. }
    5. interface IHeaders {
    6. 'H-Custom': string;
    7. }
  3. Using the two interfaces, define a new API route and pass them as generics. The shorthand route methods (i.e. .get) accept a generic object RequestGenericInterface containing four named properties: Body, Querystring, Params, and Headers. The interfaces will be passed down through the route method into the route method handler request instance.

    1. server.get<{
    2. Querystring: IQuerystring,
    3. Headers: IHeaders
    4. }>('/auth', async (request, reply) => {
    5. const { username, password } = request.query
    6. const customerHeader = request.headers['H-Custom']
    7. // do something with request data
    8. return `logged in!`
    9. })
  4. Build and run the server code with npm run build and npm run start

  5. Query the api

    1. curl localhost:8080/auth?username=admin&password=Password123!

    And it should return back logged in!

  6. But wait theres more! The generic interfaces are also available inside route level hook methods. Modify the previous route by adding a preValidation hook:

    1. server.get<{
    2. Querystring: IQuerystring,
    3. Headers: IHeaders
    4. }>('/auth', {
    5. preValidation: (request, reply, done) => {
    6. const { username, password } = request.query
    7. done(username !== 'admin' ? new Error('Must be admin') : undefined) // only validate `admin` account
    8. }
    9. }, async (request, reply) => {
    10. const customerHeader = request.headers['H-Custom']
    11. // do something with request data
    12. return `logged in!`
    13. })
  7. Build and run and query with the username query string option set to anything other than admin. The API should now return a HTTP 500 error {"statusCode":500,"error":"Internal Server Error","message":"Must be admin"}

🎉 Good work, now you can define interfaces for each route and have strictly typed request and reply instances. Other parts of the Fastify type system rely on generic properties. Make sure to reference the detailed type system documentation below to learn more about what is available.

JSON Schema

In the last example we used interfaces to define the types for the request querystring and headers. Many users will already be using JSON Schemas to define these properties, and luckily there is a way to transform existing JSON Schemas into TypeScript interfaces!

  1. If you did not complete the ‘Getting Started’ example, go back and follow steps 1-4 first.

  2. Install the json-schema-to-typescript module:

    1. npm i -D json-schema-to-typescript
  3. Create a new folder called schemas and add two files headers.json and querystring.json. Copy and paste the following schema definitions into the respective files:

    1. {
    2. "title": "Headers Schema",
    3. "type": "object",
    4. "properties": {
    5. "H-Custom": { "type": "string" }
    6. },
    7. "additionalProperties": false,
    8. "required": ["H-Custom"]
    9. }
    1. {
    2. "title": "Querystring Schema",
    3. "type": "object",
    4. "properties": {
    5. "username": { "type": "string" },
    6. "password": { "type": "string" }
    7. },
    8. "additionalProperties": false,
    9. "required": ["username", "password"]
    10. }
  4. Add a compile-schemas script to the package.json:

    1. {
    2. "scripts": {
    3. "compile-schemas": "json2ts -i schemas -o types"
    4. }
    5. }

    json2ts is a CLI utility included in json-schema-to-typescript. schemas is the input path, and types is the output path.

  5. Run npm run compile-schemas. Two new files should have been created in the types directory.

  6. Update index.ts to have the following code:

    1. import fastify from 'fastify'
    2. // import json schemas as normal
    3. import QuerystringSchema from './schemas/querystring.json'
    4. import HeadersSchema from './schemas/headers.json'
    5. // import the generated interfaces
    6. import { QuerystringSchema as QuerystringSchemaInterface } from './types/querystring'
    7. import { HeadersSchema as HeadersSchemaInterface } from './types/headers'
    8. const server = fastify()
    9. server.get<{
    10. Querystring: QuerystringSchemaInterface,
    11. Headers: HeadersSchemaInterface
    12. }>('/auth', {
    13. schema: {
    14. querystring: QuerystringSchema,
    15. headers: HeadersSchema
    16. },
    17. preValidation: (request, reply, done) => {
    18. const { username, password } = request.query
    19. done(username !== 'admin' ? new Error('Must be admin') : undefined)
    20. }
    21. }, async (request, reply) => {
    22. const customerHeader = request.headers['H-Custom']
    23. // do something with request data
    24. return `logged in!`
    25. })
    26. server.route<{
    27. Querystring: QuerystringSchemaInterface,
    28. Headers: HeadersSchemaInterface
    29. }>({
    30. method: 'GET',
    31. url: '/auth2',
    32. schema: {
    33. querystring: QuerystringSchema,
    34. headers: HeadersSchema
    35. },
    36. preHandler: (request, reply) => {
    37. const { username, password } = request.query
    38. const customerHeader = request.headers['H-Custom']
    39. },
    40. handler: (request, reply) => {
    41. const { username, password } = request.query
    42. const customerHeader = request.headers['H-Custom']
    43. }
    44. })
    45. server.listen(8080, (err, address) => {
    46. if (err) {
    47. console.error(err)
    48. process.exit(0)
    49. }
    50. console.log(`Server listening at ${address}`)
    51. })

    Pay special attention to the imports at the top of this file. It might seem redundant, but you need to import both the schema files and the generated interfaces.

Great work! Now you can make use of both JSON Schemas and TypeScript definitions. If you didn’t know already, defining schemas for your Fastify routes can increase their throughput! Check out the Validation and Serialization documentation for more info.

Some additional notes:

  • Currently, there is no type definition support for inline JSON schemas. If you can come up with a solution please open a PR!

Plugins

One of Fastify’s most distinguishable features is its extensive plugin ecosystem. Plugin types are fully supported, and take advantage of the declaration merging pattern. This example is broken up into three parts: Creating a TypeScript Fastify Plugin, Creating Type Definitions for a Fastify Plugin, and Using a Fastify Plugin in a TypeScript Project.

Creating a TypeScript Fastify Plugin

  1. Initialize a new npm project and install required dependencies

    1. npm init -y
    2. npm i fastify fastify-plugin
    3. npm i -D typescript @types/node
  2. Add a build script to the "scripts" section and 'index.d.ts' to the "types" section of the package.json file:

    1. {
    2. "types": "index.d.ts",
    3. "scripts": {
    4. "build": "tsc -p tsconfig.json"
    5. }
    6. }
  3. Initialize a TypeScript configuration file:

    1. npx typescript --init

    Once the file is generated, enable the "declaration" option in the "compilerOptions" object.

    1. {
    2. "compileOptions": {
    3. "declaration": true
    4. }
    5. }
  4. Create an index.ts file - this will contain the plugin code

  5. Add the following code to index.ts

    1. import { FastifyPluginCallback, FastifyPluginAsync } from 'fastify'
    2. import fp from 'fastify-plugin'
    3. // using declaration merging, add your plugin props to the appropriate fastify interfaces
    4. declare module 'fastify' {
    5. interface FastifyRequest {
    6. myPluginProp: string
    7. }
    8. interface FastifyReply {
    9. myPluginProp: number
    10. }
    11. }
    12. // define options
    13. export interface MyPluginOptions {
    14. myPluginOption: string
    15. }
    16. // define plugin using callbacks
    17. const myPluginCallback: FastifyPluginCallback<MyPluginOptions> = (fastify, options, done) => {
    18. fastify.decorateRequest('myPluginProp', 'super_secret_value')
    19. fastify.decorateReply('myPluginProp', options.myPluginOption)
    20. done()
    21. }
    22. // define plugin using promises
    23. const myPluginAsync: FastifyPluginAsync<MyPluginOptions> = async (fastify, options) => {
    24. fastify.decorateRequest('myPluginProp', 'super_secret_value')
    25. fastify.decorateReply('myPluginProp', options.myPluginOption)
    26. }
    27. // export plugin using fastify-plugin
    28. export default fp(myPluginCallback, '3.x')
    29. // or
    30. // export default fp(myPluginAsync, '3.x')
  6. Run npm run build to compile the plugin code and produce both a JavaScript source file and a type definition file.

  7. With the plugin now complete you can [publish to npm] or use it locally.

    You do not need to publish your plugin to npm to use it. You can include it in a Fastify project and reference it as you would any piece of code! As a TypeScript user, make sure the declaration override exists somewhere that will be included in your project compilation so the TypeScript interpreter can process it.

Creating Type Definitions for a Fastify Plugin

This plugin guide is for Fastify plugins written in JavaScript. The steps outlined in this example are for adding TypeScript support for users consuming your plugin.

  1. Initialize a new npm project and install required dependencies

    1. npm init -y
    2. npm i fastify-plugin
  2. Create two files index.js and index.d.ts

  3. Modify the package json to include these files under the main and types properties (the name does not have to be index explicitly, but it is recommended the files have the same name):

    1. {
    2. "main": "index.js",
    3. "types": "index.d.ts"
    4. }
  4. Open index.js and add the following code:

    1. // fastify-plugin is highly recommended for any plugin you write
    2. const fp = require('fastify-plugin')
    3. function myPlugin (instance, options, done) {
    4. // decorate the fastify instance with a custom function called myPluginFunc
    5. instance.decorate('myPluginFunc', (input) => {
    6. return input.toUpperCase()
    7. })
    8. done()
    9. }
    10. module.exports = fp(myPlugin, {
    11. fastify: '3.x',
    12. name: 'my-plugin' // this is used by fastify-plugin to derive the property name
    13. })
  5. Open index.d.ts and add the following code:

    1. import { FastifyPlugin } from 'fastify'
    2. interface PluginOptions {
    3. //...
    4. }
    5. // Optionally, you can add any additional exports.
    6. // Here we are exporting the decorator we added.
    7. export interface myPluginFunc {
    8. (input: string): string
    9. }
    10. // Most importantly, use declaration merging to add the custom property to the Fastify type system
    11. declare module 'fastify' {
    12. interface FastifyInstance {
    13. myPluginFunc: myPluginFunc
    14. }
    15. }
    16. // fastify-plugin automatically adds named export, so be sure to add also this type
    17. // the variable name is derived from `options.name` property if `module.exports.myPlugin` is missing
    18. export const myPlugin: FastifyPlugin<PluginOptions>
    19. // fastify-plugin automatically adds `.default` property to the exported plugin. See the note below
    20. export default myPlugin

Note: fastify-plugin v2.3.0 and newer, automatically adds .default property and a named export to the exported plugin. Be sure to export default and export const myPlugin in your typings to provide the best developer experience. For a complete example you can check out fastify-swagger.

With those files completed, the plugin is now ready to be consumed by any TypeScript project!

The Fastify plugin system enables developers to decorate the Fastify instance, and the request/reply instances. For more information check out this blog post on Declaration Merging and Generic Inheritance.

Using a Plugin

Using a Fastify plugin in TypeScript is just as easy as using one in JavaScript. Import the plugin with import/from and you’re all set — except there is one exception users should be aware of.

Fastify plugins use declaration merging to modify existing Fastify type interfaces (check out the previous two examples for more details). Declaration merging is not very smart, meaning if the plugin type definition for a plugin is within the scope of the TypeScript interpreter, then the plugin types will be included regardless of if the plugin is being used or not. This is an unfortunate limitation of using TypeScript and is unavoidable as of right now.

However, there are a couple of suggestions to help improve this experience:

  • Make sure the no-unused-vars rule is enabled in ESLint and any imported plugin are actually being loaded.
  • Use a module such as depcheck or npm-check to verify plugin dependencies are being used somewhere in your project.

API Type System Documentation

This section is a detailed account of all the types available to you in Fastify version 3.x

All http, https, and http2 types are inferred from @types/node

Generics are documented by their default value as well as their constraint value(s). Read these articles for more information on TypeScript generics.

How to import

The Fastify API is powered by the fastify() method. In JavaScript you would import it using const fastify = require('fastify'). In TypeScript it is recommended to use the import/from syntax instead so types can be resolved. There are a couple supported import methods with the Fastify type system.

  1. import fastify from 'fastify'

    • Types are resolved but not accessible using dot notation

    • Example:

      1. import fastify from 'fastify'
      2. const f = fastify()
      3. f.listen(8080, () => { console.log('running') })
    • Gain access to types with destructuring:

      1. import fastify, { FastifyInstance } from 'fastify'
      2. const f: FastifyInstance = fastify()
      3. f.listen(8080, () => { console.log('running') })
    • Destructuring also works for the main API method:

      1. import { fastify, FastifyInstance } from 'fastify'
      2. const f: FastifyInstance = fastify()
      3. f.listen(8080, () => { console.log('running') })
  2. import * as Fastify from 'fastify'

    • Types are resolved and accessible using dot notation

    • Calling the main Fastify API method requires a slightly different syntax (see example)

    • Example:

      1. import * as Fastify from 'fastify'
      2. const f: Fastify.FastifyInstance = Fastify.fastify()
      3. f.listen(8080, () => { console.log('running') })
  3. const fastify = require('fastify')

    • This syntax is valid and will import fastify as expected; however, types will not be resolved

    • Example:

      1. const fastify = require('fastify')
      2. const f = fastify()
      3. f.listen(8080, () => { console.log('running') })
    • Destructuring is still supported, but will also not resolve types

      1. const { fastify } = require('fastify')
      2. const f = fastify()
      3. f.listen(8080, () => { console.log('running') })

Generics

Many type definitions share the same generic parameters; they are all documented, in detail, within this section.

Most definitions depend on @node/types modules http, https, and http2

RawServer

Underlying Node.js server type

Default: http.Server

Constraints: http.Server, https.Server, http2.Http2Server, http2.Http2SecureServer

Enforces generic parameters: RawRequest, RawReply

RawRequest

Underlying Node.js request type

Default: RawRequestDefaultExpression

Constraints: http.IncomingMessage, http2.Http2ServerRequest

Enforced by: RawServer

RawReply

Underlying Node.js response type

Default: RawReplyDefaultExpression

Constraints: http.ServerResponse, http2.Http2ServerResponse

Enforced by: RawServer

Logger

Fastify logging utility

Default: FastifyLoggerOptions

Enforced by: RawServer

RawBody

A generic parameter for the content-type-parser methods.

Constraints: string | Buffer


Fastify

fastify<RawServer, RawRequest, RawReply, Logger>(opts?: FastifyServerOptions): FastifyInstance

src

The main Fastify API method. By default creates an HTTP server. Utilizing discriminant unions and overload methods, the type system will automatically infer which type of server (http, https, or http2) is being created purely based on the options based to the method (see the examples below for more information). It also supports an extensive generic type system to allow the user to extend the underlying Node.js Server, Request, and Reply objects. Additionally, the Logger generic exists for custom log types. See the examples and generic breakdown below for more information.

Example 1: Standard HTTP server

No need to specify the Server generic as the type system defaults to HTTP.

  1. import fastify from 'fastify'
  2. const server = fastify()

Check out the Learn By Example - Getting Started example for a more detailed http server walkthrough.

Example 2: HTTPS sever
  1. Create the following imports from @types/node and fastify

    1. import fs from 'fs'
    2. import path from 'path'
    3. import fastify from 'fastify'
  2. Follow the steps in this official Node.js https server guide to create the key.pem and cert.pem files

  3. Instantiate a Fastify https server and add a route:

    1. const server = fastify({
    2. https: {
    3. key: fs.readFileSync(path.join(__dirname, 'key.pem')),
    4. cert: fs.readFileSync(path.join(__dirname, 'cert.pem'))
    5. }
    6. })
    7. server.get('/', async function (request, reply) {
    8. return { hello: 'world' }
    9. })
    10. server.listen(8080, (err, address) => {
    11. if (err) {
    12. console.error(err)
    13. process.exit(0)
    14. }
    15. console.log(`Server listening at ${address}`)
    16. })
  4. Build and run! Test your server out by querying with: curl -k https://localhost:8080

Example 3: HTTP2 server

There are two types of HTTP2 server types, insecure and secure. Both require specifying the http2 property as true in the options object. The https property is used for creating a secure http2 server; omitting the https property will create an insecure http2 server.

  1. const insecureServer = fastify({ http2: true })
  2. const secureServer = fastify({
  3. http2: true,
  4. https: {} // use the `key.pem` and `cert.pem` files from the https section
  5. })

For more details on using HTTP2 check out the Fastify HTTP2 documentation page.

Example 4: Extended HTTP server

Not only can you specify the server type, but also the request and reply types. Thus, allowing you to specify special properties, methods, and more! When specified at server instantiation, the custom type becomes available on all further instances of the custom type.

  1. import fastify from 'fastify'
  2. import http from 'http'
  3. interface customRequest extends http.IncomingMessage {
  4. mySpecialProp: string
  5. }
  6. const server = fastify<http.Server, customRequest>()
  7. server.get('/', async (request, reply) => {
  8. const someValue = request.raw.mySpecialProp // TS knows this is a string, because of the `customRequest` interface
  9. return someValue.toUpperCase()
  10. })
Example 5: Specifying logger types

Fastify uses Pino logging library under the hood. Some of it’s properties can be configured via logger field when constructing Fastify’s instance. If properties you need aren’t exposed, it’s also possible to pass a preconfigured external instance of Pino (or any other compatible logger) to Fastify via the same field. This allows creating custom serializers as well, see the Logging documentation for more info.

To use an external instance of Pino, add @types/pino to devDependencies and pass the instance to logger field:

  1. import fastify from 'fastify'
  2. import pino from 'pino'
  3. const server = fastify({
  4. logger: pino({
  5. level: 'info',
  6. redact: ['x-userinfo'],
  7. messageKey: 'message'
  8. })
  9. })
  10. server.get('/', async (request, reply) => {
  11. server.log.info('log message')
  12. return 'another message'
  13. })

fastify.HTTPMethods

src

Union type of: 'DELETE' | 'GET' | 'HEAD' | 'PATCH' | 'POST' | 'PUT' | 'OPTIONS'

fastify.RawServerBase

src

Dependant on @types/node modules http, https, http2

Union type of: http.Server | https.Server | http2.Http2Server | http2.Http2SecureServer

fastify.RawServerDefault

src

Dependant on @types/node modules http

Type alias for http.Server


fastify.FastifyServerOptions<RawServer, Logger>

src

An interface of properties used in the instantiation of the Fastify server. Is used in the main fastify() method. The RawServer and Logger generic parameters are passed down through that method.

See the main fastify method type definition section for examples on instantiating a Fastify server with TypeScript.

fastify.FastifyInstance<RawServer, RawRequest, RequestGeneric, Logger>

src

Interface that represents the Fastify server object. This is the returned server instance from the fastify() method. This type is an interface so it can be extended via declaration merging if your code makes use of the decorate method.

Through the use of generic cascading, all methods attached to the instance inherit the generic properties from instantiation. This means that by specifying the server, request, or reply types, all methods will know how to type those objects.

Check out the main Learn by Example section for detailed guides, or the more simplified fastify method examples for additional details on this interface.


Request

fastify.FastifyRequest<RequestGeneric, RawServer, RawRequest>

src

This interface contains properties of Fastify request object. The properties added here disregard what kind of request object (http vs http2) and disregard what route level it is serving; thus calling request.body inside a GET request will not throw an error (but good luck sending a GET request with a body 😉).

If you need to add custom properties to the FastifyRequest object (such as when using the [decorateRequest][DecorateRequest] method) you need to use declaration merging on this interface.

A basic example is provided in the FastifyRequest section. For a more detailed example check out the Learn By Example section: Plugins

Example
  1. import fastify from 'fastify'
  2. const server = fastify()
  3. server.decorateRequest('someProp', 'hello!')
  4. server.get('/', async (request, reply) => {
  5. const { someProp } = request // need to use declaration merging to add this prop to the request interface
  6. return someProp
  7. })
  8. // this declaration must be in scope of the typescript interpreter to work
  9. declare module 'fastify' {
  10. interface FastifyRequest { // you must reference the interface and not the type
  11. someProp: string
  12. }
  13. }
  14. // Or you can type your request using
  15. type CustomRequest = FastifyRequest<{
  16. Body: { test: boolean };
  17. }>
  18. server.get('/typedRequest', async (request: CustomRequest, reply: FastifyReply) => {
  19. return request.body.test
  20. })
fastify.RequestGenericInterface

src

Fastify request objects have four dynamic properties: body, params, query, and headers. Their respective types are assignable through this interface. It is a named property interface enabling the developer to ignore the properties they do not want to specify. All omitted properties are defaulted to unknown. The corresponding property names are: Body, Querystring, Params, Headers.

  1. import fastify, { RequestGenericInterface } from 'fastify'
  2. const server = fastify()
  3. const requestGeneric: RequestGenericInterface = {
  4. Querystring: {
  5. name: string
  6. }
  7. }
  8. server.get<requestGeneric>('/', async (request, reply) => {
  9. const { name } = request.query // the name prop now exists on the query prop
  10. return name.toUpperCase()
  11. })

If you want to see a detailed example of using this interface check out the Learn by Example section: JSON Schema.

fastify.RawRequestDefaultExpression<RawServer>

src

Dependant on @types/node modules http, https, http2

Generic parameter RawServer defaults to RawServerDefault

If RawServer is of type http.Server or https.Server, then this expression returns http.IncomingMessage, otherwise, it returns http2.Http2ServerRequest.

  1. import http from 'http'
  2. import http2 from 'http2'
  3. import { RawRequestDefaultExpression } from 'fastify'
  4. RawRequestDefaultExpression<http.Server> // -> http.IncomingMessage
  5. RawRequestDefaultExpression<http2.Http2Server> // -> http2.Http2ServerRequest

Reply

fastify.FastifyReply<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>

src

This interface contains the custom properties that Fastify adds to the standard Node.js reply object. The properties added here disregard what kind of reply object (http vs http2).

If you need to add custom properties to the FastifyReply object (such as when using the decorateReply method) you need to use declaration merging on this interface.

A basic example is provided in the FastifyReply section. For a more detailed example check out the Learn By Example section: Plugins

Example
  1. import fastify from 'fastify'
  2. const server = fastify()
  3. server.decorateReply('someProp', 'world')
  4. server.get('/', async (request, reply) => {
  5. const { someProp } = reply // need to use declaration merging to add this prop to the reply interface
  6. return someProp
  7. })
  8. // this declaration must be in scope of the typescript interpreter to work
  9. declare module 'fastify' {
  10. interface FastifyReply { // you must reference the interface and not the type
  11. someProp: string
  12. }
  13. }
fastify.RawReplyDefaultExpression<RawServer>

src

Dependant on @types/node modules http, https, http2

Generic parameter RawServer defaults to RawServerDefault

If RawServer is of type http.Server or https.Server, then this expression returns http.ServerResponse, otherwise, it returns http2.Http2ServerResponse.

  1. import http from 'http'
  2. import http2 from 'http2'
  3. import { RawReplyDefaultExpression } from 'fastify'
  4. RawReplyDefaultExpression<http.Server> // -> http.ServerResponse
  5. RawReplyDefaultExpression<http2.Http2Server> // -> http2.Http2ServerResponse

Plugin

Fastify allows the user to extend its functionalities with plugins. A plugin can be a set of routes, a server decorator or whatever. To activate plugins, use the fastify.register() method.

When creating plugins for Fastify, it is recommended to use the fastify-plugin module. Additionally, there is a guide to creating plugins with TypeScript and Fastify available in the Learn by Example, Plugins section.

fastify.FastifyPluginCallback<Options>

src

Interface method definition used within the fastify.register() method.

fastify.FastifyPluginAsync<Options>

src

Interface method definition used within the fastify.register() method.

fastify.FastifyPlugin<Options>

src

Interface method definition used within the fastify.register() method. Document deprecated in favor of FastifyPluginCallback and FastifyPluginAsync since general FastifyPlugin doesn’t properly infer types for async functions.

fastify.FastifyPluginOptions

src

A loosely typed object used to constrain the options parameter of fastify.register() to an object. When creating a plugin, define its options as an extension of this interface (interface MyPluginOptions extends FastifyPluginOptions) so they can be passed to the register method.


Register

fastify.FastifyRegister(plugin: FastifyPluginCallback, opts: FastifyRegisterOptions)

src

fastify.FastifyRegister(plugin: FastifyPluginAsync, opts: FastifyRegisterOptions)

src

fastify.FastifyRegister(plugin: FastifyPlugin, opts: FastifyRegisterOptions)

src

This type interface specifies the type for the fastify.register() method. The type interface returns a function signature with an underlying generic Options which is defaulted to FastifyPluginOptions. It infers this generic from the FastifyPlugin parameter when calling this function so there is no need to specify the underlying generic. The options parameter is the intersection of the plugin’s options and two additional optional properties: prefix: string and logLevel: LogLevel.

Below is an example of the options inference in action:

  1. const server = fastify()
  2. const plugin: FastifyPlugin<{
  3. option1: string;
  4. option2: boolean;
  5. }> = function (instance, opts, done) { }
  6. fastify().register(plugin, {}) // Error - options object is missing required properties
  7. fastify().register(plugin, { option1: '', option2: true }) // OK - options object contains required properties

See the Learn By Example, Plugins section for more detailed examples of creating TypeScript plugins in Fastify.

fastify.FastifyRegisterOptions

src

This type is the intersection of the Options generic and a non-exported interface RegisterOptions that specifies two optional properties: prefix: string and logLevel: LogLevel. This type can also be specified as a function that returns the previously described intersection.


Logger

Check out the Specifying Logger Types example for more details on specifying a custom logger.

fastify.FastifyLoggerOptions<RawServer, RawRequest, RawReply>

src

An interface definition for the internal Fastify logger. It is emulative of the Pino.js logger. When enabled through server options, use it following the general logger documentation.

fastify.FastifyLogFn

src

An overload function interface that implements the two ways Fastify calls log methods. This interface is passed to all associated log level properties on the FastifyLoggerOptions object.

fastify.LogLevel

src

Union type of: 'info' | 'error' | 'debug' | 'fatal' | 'warn' | 'trace'


Context

The context type definition is similar to the other highly dynamic pieces of the type system. Route context is available in the route handler method.

fastify.FastifyContext

src

An interface with a single required property config that is set by default to unknown. Can be specified either using a generic or an overload.

This type definition is potentially incomplete. If you are using it and can provide more details on how to improve the definition, we strongly encourage you to open an issue in the main fastify/fastify repository. Thank you in advanced!


Routing

One of the core principles in Fastify is its routing capabilities. Most of the types defined in this section are used under-the-hood by the Fastify instance .route and .get/.post/.etc methods.

fastify.RouteHandlerMethod<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>

src

A type declaration for the route handler methods. Has two arguments, request and reply which are typed by FastifyRequest and FastifyReply respectfully. The generics parameters are passed through to these arguments. The method returns either void or Promise<any> for synchronous and asynchronous handlers respectfully.

fastify.RouteOptions<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>

src

An interface than extends RouteShorthandOptions and adds the follow three required properties:

  1. method which corresponds to a singular HTTPMethod or a list of HTTPMethods
  2. url a string for the route
  3. handler the route handler method, see [RouteHandlerMethod][] for more details
fastify.RouteShorthandMethod<RawServer, RawRequest, RawReply>

src

An overloaded function interface for three kinds of shorthand route methods to be used in conjunction with the .get/.post/.etc methods.

fastify.RouteShorthandOptions<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>

src

An interface that covers all of the base options for a route. Each property on this interface is optional, and it serves as the base for the RouteOptions and RouteShorthandOptionsWithHandler interfaces.

fastify.RouteShorthandOptionsWithHandler<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>

src

This interface adds a single, required property to the RouteShorthandOptions interface handler which is of type RouteHandlerMethod


Parsers

RawBody

A generic type that is either a string or Buffer

fastify.FastifyBodyParser<RawBody, RawServer, RawRequest>

src

A function type definition for specifying a body parser method. Use the RawBody generic to specify the type of the body being parsed.

fastify.FastifyContentTypeParser<RawServer, RawRequest>

src

A function type definition for specifying a body parser method. Content is typed via the RawRequest generic.

fastify.AddContentTypeParser<RawServer, RawRequest>

src

An overloaded interface function definition for the addContentTypeParser method. If parseAs is passed to the opts parameter, the definition uses [FastifyBodyParser][] for the parser parameter; otherwise, it uses [FastifyContentTypeParser][].

fastify.hasContentTypeParser

src

A method for checking the existence of a type parser of a certain content type


Errors

fastify.FastifyError

src

FastifyError is a custom error object that includes status code and validation results.

It extends the Node.js Error type, and adds two additional, optional properties: statusCode: number and validation: ValiationResult[].

fastify.ValidationResult

src

The route validation internally relies upon Ajv, which is a high-performance JSON schema validator.

This interface is passed to instance of FastifyError.


Hooks

fastify.onRequestHookHandler<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(request: FastifyRequest, reply: FastifyReply, done: (err?: FastifyError) => void): Promise<unknown> | void

src

onRequest is the first hook to be executed in the request lifecycle. There was no previous hook, the next hook will be preParsing.

Notice: in the onRequest hook, request.body will always be null, because the body parsing happens before the preHandler hook.

fastify.preParsingHookHandler<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(request: FastifyRequest, reply: FastifyReply, done: (err?: FastifyError) => void): Promise<unknown> | void

src

preParsingis the second hook to be executed in the request lifecycle. The previous hook wasonRequest, the next hook will bepreValidation`.

Notice: in the preParsing hook, request.body will always be null, because the body parsing happens before the preValidation hook.

Notice: you should also add receivedEncodedLength property to the returned stream. This property is used to correctly match the request payload with the Content-Length header value. Ideally, this property should be updated on each received chunk.

fastify.preValidationHookHandler<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(request: FastifyRequest, reply: FastifyReply, done: (err?: FastifyError) => void): Promise<unknown> | void

src

preValidation is the third hook to be executed in the request lifecycle. The previous hook was preParsing, the next hook will be preHandler.

fastify.preHandlerHookHandler<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(request: FastifyRequest, reply: FastifyReply, done: (err?: FastifyError) => void): Promise<unknown> | void

src

preHandler is the fourth hook to be executed in the request lifecycle. The previous hook was preValidation, the next hook will be preSerialization.

fastify.preSerializationHookHandler<PreSerializationPayload, RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(request: FastifyRequest, reply: FastifyReply, payload: PreSerializationPayload, done: (err: FastifyError | null, res?: unknown) => void): Promise<unknown> | void

src

preSerialization is the fifth hook to be executed in the request lifecycle. The previous hook was preHandler, the next hook will be onSend.

Note: the hook is NOT called if the payload is a string, a Buffer, a stream or null.

fastify.onSendHookHandler<OnSendPayload, RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(request: FastifyRequest, reply: FastifyReply, payload: OnSendPayload, done: (err: FastifyError | null, res?: unknown) => void): Promise<unknown> | void

src

You can change the payload with the onSend hook. It is the sixth hook to be executed in the request lifecycle. The previous hook was preSerialization, the next hook will be onResponse.

Note: If you change the payload, you may only change it to a string, a Buffer, a stream, or null.

fastify.onResponseHookHandler<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(request: FastifyRequest, reply: FastifyReply, done: (err?: FastifyError) => void): Promise<unknown> | void

src

onResponse is the seventh and last hook in the request hook lifecycle. The previous hook was onSend, there is no next hook.

The onResponse hook is executed when a response has been sent, so you will not be able to send more data to the client. It can however be useful for sending data to external services, for example to gather statistics.

fastify.onErrorHookHandler<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(request: FastifyRequest, reply: FastifyReply, error: FastifyError, done: () => void): Promise<unknown> | void

src

This hook is useful if you need to do some custom error logging or add some specific header in case of error.

It is not intended for changing the error, and calling reply.send will throw an exception.

This hook will be executed only after the customErrorHandler has been executed, and only if the customErrorHandler sends an error back to the user (Note that the default customErrorHandler always sends the error back to the user).

Notice: unlike the other hooks, pass an error to the done function is not supported.

fastify.onRouteHookHandler<RawServer, RawRequest, RawReply, RequestGeneric, ContextConfig>(opts: RouteOptions & { path: string; prefix: string }): Promise<unknown> | void

src

Triggered when a new route is registered. Listeners are passed a routeOptions object as the sole parameter. The interface is synchronous, and, as such, the listener does not get passed a callback

fastify.onRegisterHookHandler<RawServer, RawRequest, RawReply, Logger>(instance: FastifyInstance, done: (err?: FastifyError) => void): Promise<unknown> | void

src

Triggered when a new plugin is registered and a new encapsulation context is created. The hook will be executed before the registered code.

This hook can be useful if you are developing a plugin that needs to know when a plugin context is formed, and you want to operate in that specific context.

Note: This hook will not be called if a plugin is wrapped inside fastify-plugin.

fastify.onCloseHookHandler<RawServer, RawRequest, RawReply, Logger>(instance: FastifyInstance, done: (err?: FastifyError) => void): Promise<unknown> | void

src

Triggered when fastify.close() is invoked to stop the server. It is useful when plugins need a “shutdown” event, for example to close an open connection to a database.