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

badak

v1.0.2

Published

node.js Server framework based on Promise and TypeScript

Downloads

34

Readme

npm

logo

한국어

badak

badak is a backend framework developed based on Promises and TypeScript.

badak is written in TypeScript and is compiled and distributed as JavaScript code. So, it can be used in TypeScript syntax or JavaScript syntax.

Install

badak is distributed with npm and can be installed with npm/yarn.

npm install badak
# or
yarn add badak

Usage

import { Badak } from 'badak';

const rule: RouteRule = {
	users: {
		GET: () => {
			// returns a list of users.
			return {
				list: ['han', 'kim', 'lee']
			}
		},
		POST: (user: User) => {
			// add a user.
			return {
				result: 'ok'
			}
		}
	}
};


const app: Badak = new Badak();
await app.route(routeRule);
await app.listen(3000);

Methods

new Badak(option?: Partial<BadakOption>)

Create a badak instance. You can pass options to the constructor.

const app: Badak = new Badak();

const appWithLog: Badak = new Badak({
	catchErrorLog: true
});

auth(fnc: MiddlewareFunction): Promise<void>

Set a middleware function for authentication. Only one authentication function can be specified. The registered function is executed after before() and before the routing function is executed. If an error occurs in this middleware function, a 401 Unauthorized error occurs.

before(fnc: MiddlewareFunction): Promise<void>

Registers a middleware function to run before the routing function is executed. Multiple middleware functions can be specified, and they are executed in parallel regardless of the order in which they are specified.

after(fnc: MiddlewareFunction): Promise<void>

Registers a middleware function to run after the routing function is executed. Multiple middleware functions can be specified, and they are executed in parallel regardless of the order in which they are specified.

config(key: string, value: unknown): Promise<void>

Controls how badak apps run.

listen(port: number): Promise<void>

The server starts responding.

isRunning(): boolean

Checks if the server is running and returns the results. The initial state is false, becomes true after the listen() function is executed, and becomes false after terminating with stop().

getHttpServer(): Server | undefined

Returns the HTTP server instance. Used to access badak internal members.

stop(): Promise<void>

Stop the HTTP server.

route(rule: RouteRule): Promise<void>

Register a routing function.

get(address: string, fnc: RouteFunction, option?: RouteOption): Promise<void>

Registers a routing function that responds to GET method requests.

post(address: string, fnc: RouteFunction, option?: RouteOption): Promise<void>

Registers a routing function that responds to POST method requests.

put(address: string, fnc: RouteFunction, option?: RouteOption): Promise<void>

Registers a routing function that responds to PUT method requests.

delete(address: string, fnc: RouteFunction, option?: RouteOption): Promise<void>

Registers a routing function that responds to DELETE method requests.

static(uri: string, path: string): Promise<void>

Concatenate the address and file path to be provided as a static file.

setSPARoot(uri: string, path: string): Promise<void>

Connect the address and file path to be used with the SPA app. Files within the specified folder are served statically and cached.

인터페이스

MiddlewareFunction

export type MiddlewareFunction = (req: IncomingMessage, res: ServerResponse, responseBody?: unknown) => void | Promise<void>;

This is a function registered in before() and after(). Middleware functions cannot change the arguments passed to the routing function.

RouteFunction

export type RouteFunction = (param: any, req: IncomingMessage, res: ServerResponse) => unknown | Promise<unknown>;

Register a routing function to respond to HTTP requests. The value returned by the routing function is returned as an HTTP response.

BadakOption

Specifies how the badak app should behave.

catchErrorLog: boolean

If an error occurs, a log is output to the console.

The default is true.

preventError: boolean

If an error occurs, it is transmitted to the node. If you specify a value of false, the error will not be passed and will be ignored.

The default is true.

defaultMethod: METHOD | undefined

Specifies the default HTTP method type to use for routing. Specifying this value allows you to omit specifying the HTTP method when using the Badak.route() method.

  • before :
app.route({
	users: {
		GET: getUserList
	}
});
  • after app.config('defaultMethod', 'GET') :
app.route({
	users: getUserList
});

parseNumber: boolean

Converts the string-type number passed as an argument to the number type.

The default is false.

parseDate: boolean

Converts the date in string format passed as an argument to the Date type.

The default is false.

RouteOption

Determines the behavior of routing functions.

auth: boolean

If specified as false, the auth() function will not be executed when this routing function is executed.

The default is true.

Special Routing

Special routing can be used on the routes of the route(), get(), post(), put(), and delete() functions.

: routing

If you specify a routing path with /:userId and send an HTTP request to /user1, the request is matched and { userId: 'user1' } is passed as an argument to the routing function.

? routing

If you specify the routing path as /users?, you can match the /user and /users paths.

+ routing

If you specify the routing path as /user1+, you can match paths such as /user1 and /user11.

* routing

If you specify a routing path as /user1*, you can match paths such as /user, /user1, and /user11.

Routing Param

query string

When requesting the GET method, the query string argument is parsed and passed to the routing function.

The examples below all match the /path path, and the arguments passed are as follows.

/path?          # {}
/path?key       # { key: null }
/path?key=      # { key: '' }
/path?key=value # { key: 'value' }