npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

koa-joi-controllers

v1.2.3

Published

Controller decorators for Koa using koa-joi-router

Downloads

36

Readme

koa-joi-controllers

Controller decorators for Koa using koa-joi-router.

npm version Build Status codecov

Installation

npm install koa-joi-controllers

If you're using TypeScript, you should also install the type definitions for koa-joi-router:

npm install --save-dev @types/koa-joi-router

Usage

Create a controller class:

import { Get, Controller, KoaController } from 'koa-joi-controllers';

@Controller('/v1')
export class MyController extends KoaController {
  @Get('/hello')
  async hello(ctx) {
    ctx.body = 'Hello World';
  }
}

Create a Koa app and configure the routes before running the server:

import Koa from 'koa'; // import * as Koa from 'koa'; for TypeScript projects
import { configureRoutes } from 'koa-joi-controllers';

const app = new Koa();
configureRoutes(app, [
  new MyController();
], '/api'); // optional prefix for all routes
app.listen(3000);

// GET /api/v1/hello -> 'Hello World'

Overview

Defining controllers

You can create as many controllers as you want. Every controller needs to extend the KoaController class and have the @Controller decorator. The controller decorators accepts a string parameter, which is the prefix of all the routes in the controller class.

@Controller('/koalas')
export class KoalaController extends KoaController {
  @Get()
  async all(ctx) {
    ctx.body = Koala.all();
  }

  @Get('/:id')
  async findById(ctx) {
    ctx.body = Koala.findById(ctx.params.id);
  }
}

HTTP method decorators

You can define a route with a @Method decorator, where Method is an Http method. (Get, Post, Put, Delete, Head or Options).

The method decorator accepts a string parameter which is the path of the route, which defaults to an empty string if omitted. The route path supports RegExp syntax.

You can add multiple method decorators as long as the path is the same, otherwise an exception is thrown when configuring the routes.

@Post() @Put() // allowed
async myFunction(ctx) {
  ctx.body = 'Success';
}

@Get('/options') @Options('/options') // allowed
async myFunction(ctx) {
  ctx.body = 'Success';
}

@Delete() @Head('/head') // throws exception
async myFunction(ctx) {
  ctx.body = 'Failure';
}

Request parameters

Request parameters in the route path can be defined by prefixing them with the ':' symbol, and can be accessed in the params field of the context.

@Get('/users/:userId/koalas/:koalaId')
async findById(ctx) {
  const userId = ctx.params.userId;
  const koalaId = ctx.params.koalaId;
  // do something...
}

Request body

A request's body can be found in ctx.request.body, but the request has to be parsed first. In order for the request body to be parsed, you need to specify what type the incoming data is in by using the @Json, @Form or @Multipart decorators.

@Post('/koalas')
@Json()
async createKoala(ctx) {
  const body = ctx.request.body; // incoming JSON data is in ctx.request.body
  ctx.body = Koala.create(body);
}

Alternatively, you can use the @Validate decorator.

@Post('/koalas')
@Validate({
  type: 'json', // can also be 'form' or 'multipart'
  failure: 403 // status code if validation fails
})
async createKoala(ctx) {
  const body = ctx.request.body; // incoming JSON data is in ctx.request.body
  ctx.body = Koala.create(body);
}

If the incoming data does not match the expected type, validation will fail and the response status will be set to 400, or the failure value set in the @Validate decorator.

Joi validation

The @Validate decorator can enforce Joi validation on request body parameters. If validation fails, response status is set to 400 and the route handler is never called. If you want to handle the error, you can set the continueOnError (default: false) field to true.

import { Post, Validate, Validator } from 'koa-joi-controllers';

@Post('/koalas')
@Validate({
  type: 'json',
  body: {
    name: Validator.Joi.string().max(40),
    email: Validator.Joi.string().lowercase().email(),
    password: Validator.Joi.string().max(40),
    _csrf: Validator.Joi.string().token()
  },
  continueOnError: true // ctx.invalid is set to true if validation fails
})
async createKoala(ctx) {
  if (!ctx.invalid) {
    Koala.create(ctx.request.body);
  } else {
    console.log('Validation failed!');
  }
}

Named route parameter middleware

You can define middleware for named route parameters. This is useful for auto-loading or validation.

@Param('id')
async param(id, ctx, next) {
  ctx.koala = Koala.findById(id);
  await next();
}

@Get('/:id')
async findById(ctx) {
  ctx.body = ctx.koala; // ctx.koala was set by the @Param('id') middleware
  ctx.status = ctx.koala ? 200 : 404;
}

Multiple middleware support

You can use the @Pre and @Chain decorators to add additional middleware to a specific route. The Pre middleware is called first, followed by the Chain middleware (can be multiple).

@Get('/chain')
@Pre(async (ctx, next) => {
  ctx.body = [0];
  await next();
})
@Chain(async (ctx, next) => {
  ctx.body.push(1);
  await next();
})
@Chain(async (ctx, next) => {
  ctx.body.push(2);
  await next();
}, async (ctx, next) => {
  ctx.body.push(3);
  await next();
})
async chain(ctx) {
  ctx.body.push(4);}

  // GET /chain -> [0, 1, 2, 3, 4]

Adding metadata

You can store metadata about a route. This isn't used but is stored along with all other route data.

@Get('/hello')
@Meta({
  info: 'Hello World example',
  other: {
    data: 42
  }
})
async hello(ctx) {
  ctx.body = 'Hello World';
}

Adding routes via the router

If you're looking for functionality that is not available with the current decorators, but is possible with koa-joi-router, you can achieve this by extending the router() method in your controller class.

@Controller()
export class MyController extends KoaController {

  router() {
    let router = super.router(); // returns router with all routes defined with decorators

    // add all your routes here
    router.route({
      path: '/hello',
      method: 'get',
      handler: async function (ctx) {
        ctx.body = 'Hello World';
      }
    });

    return router; // router must be returned
  }

}

Using with JavaScript

In order to use ES6 imports and decorators in a JavaScript project, some additional configurations need to be made. Install the necessary babel dependencies:

npm install --save-dev @babel/core @babel/preset-env @babel/node @babel/plugin-proposal-decorators

Create a .babelrc file in your project root:

{
  "presets": [["@babel/preset-env", {"targets": {"node": true}}]],
  "plugins": [["@babel/plugin-proposal-decorators", {"legacy": true}]]
}

Run with:

npx babel-node app.js

License

MIT