Huge News!Announcing our $40M Series B led by Abstract Ventures.Learn More
Socket
Sign inDemoInstall
Socket

knifecycle

Package Overview
Dependencies
Maintainers
1
Versions
101
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

knifecycle

Manage your NodeJS processes's lifecycle.

  • 1.4.0
  • Source
  • npm
  • Socket score

Version published
Weekly downloads
561
decreased by-56.85%
Maintainers
1
Weekly downloads
 
Created
Source

knifecycle

Manage your NodeJS processes's lifecycle.

NPM version Build status Dependency Status devDependency Status Coverage Status Code Climate Dependency Status

Most (maybe all) applications rely on two kinds of dependencies.

The code dependencies are fully covered by require/system modules in a testable manner (with mockery or System directly). There is no need for another dependency management system if those libraries are pure functions (involve no global states at all).

Unfortunately, applications often rely on global states where the JavaScript module system shows its limits. This is where knifecycle enters the game.

It is largely inspired by the Angular service system except it should not provide code but access to global states (time, filesystem, db). It also have an important additional feature to shutdown processes which is really useful for back-end servers and doesn't exists in Angular.

You may want to look at the architecture notes to better handle the reasonning behind knifecycle and its implementation.

At this point you may think that a DI system is useless. My advice is that it depends. But at least, you should not make a definitive choice and allow both approaches. See this Stack Overflow anser for more context about this statement.

Features

  • services management: start services taking their dependencies in count and shut them down the same way for graceful exits (namely dependency injection with inverted control);
  • singleton: maintain singleton services across several running execution silos.
  • easy end to end testing: just replace your services per your own mocks and stubs while ensuring your application integrity between testing and production;
  • isolation: isolate processing in a clean manner, per concerns;
  • functional programming ready: encapsulate global states allowing the rest of your application to be purely functional;
  • no circular dependencies for services: while circular dependencies are not a problem within purely functional libraries (require allows it), it may be harmful for your services, knifecycle impeach that while providing an $inject service à la Angular to allow accessing existing services references if you really need to;
  • generate Mermaid graphs of the dependency tree.

Usage

Using Knifecycle is all about declaring the services our application needs. Some of them are simple constants:

// services/core.js
// Core services that are often needed. The constant decorator allows you to
// declare values or simple functions managing global states

// Notice we are directly using the instance module that prepare the Knifecycle
// instance for us
import { constant } from 'knifecycle/instance';

// Add the process environment as a simple constant
constant('ENV', process.env);

// Add a function providing the current timestamp
constant('now', Date.now.bind(Date));

// Add a delay function
constant('delay', Promise.delay.bind(Promise));

// Add process lifetime utils
constant('waitSignal', function waitSignal(signal) {
  return new Promise((resolve, reject) => {
    process.once(signal, resolve.bind(null, signal));
  });
});
constant('exit', process.exit.bind(exit));

While others are services that are asynchronously built or may depends on other services. By example a logger.

// services/logger.js
// A log service that depends on the process environment
import { depends, service } from 'knifecycle/instance';
import Logger from 'logger';

// Register a service with the service method.
// A service function returns a service promise
service('logger',
  // Declare the service dependencies with the depends
  // decorator. Note that the LOGGER_CONFIG dependency
  // is optional
  depends(['?LOGGER_CONFIG', 'ENV'],
    function logService({ LOGGER_CONFIG, ENV }) {
      let logger = new Logger({
        logFile: LOGGER_CONFIG && LOGGER_CONFIG.LOGFILE ?
          LOGGER_CONFIG.LOGFILE :
          ENV.LOGFILE : ,
      });

      logger.log('info', 'Log service initialized!');

      return Promise.resolve(logger);
    }
  )
);

Let's add a db service too:

// services/db.js
import { depends, provider, constant } from 'knifecycle/instance';
import MongoClient from 'mongodb';

constant('DB_CONFIG', { uri: 'mongo:xxxxx' });

// Register a service with the provider method.
provider('db',
  // Declare the service dependencies with the depends decorator
  depends(['DB_CONFIG', 'logger'],
    dbProvider
  )
);

// A service provider returns a service descriptor promise exposing:
// - a mandatory service property containing the actual service
// - an optional shutdown function allowing to gracefully close the service
// - an optional error promise to handle the service failure
function dbProvider({ DB_CONFIG, logger }) {
  return MongoClient.connect(DB_CONFIG.uri)
  .then(function(db) {
    let fatalErrorPromise = new Promise((resolve, reject) {
      db.once('error', reject);
    });

    logger.log('info', 'db service initialized!');

    return {
      servicePromise: db,
      shutdownProvider: db.close.bind(db, true),
      errorPromise: fatalErrorPromise,
    };
  });
}

// What if we need 2 mongodb clients?
// Just use service mapping!
constant('DB_CONFIG2', { uri: 'mongo:xxxxx' });
provider('db2',
  // You can wire a dependency with an different name
  // than the one expected by your service provider with
  // the mapping feature
  depends(['DB_CONFIG2:DB_CONFIG', 'logger'],
  dbProvider
);

Adding an Express server

// services/server.js
import { depends, constant, provider, service } from 'knifecycle/instance';
import express from 'express';

// Create an express app
constant('app', express());

// Setting a route to serve the current timestamp.
service('routes/time',
  depends('app', 'now', 'logger',
  function timeRoutesProvider({ app, now, logger }) {
    return Promise.resolve()
    .then(() => {
      app.get('/time', (req, res, next) => {
        const curTime = now();

        logger.log('info', 'Sending the current time:', curTime);
        res.status(200).send(curTime);
      });
    });
  })
);

// Add an HTTP server service
provider('server',
  depends(['app', 'routes/time', 'logger', 'ENV'],
  function serverProvider({ app, logger, ENV }) {
    return new Promise((resolve, reject) => {
      app.listen(ENV.PORT, (server) => {
        logger.log('info', 'server listening on port ' + ENV.PORT + '!');
        resolve(server);
      });
    }).then(function(server) {
      let fatalErrorPromise = new Promise((resolve, reject) {
        app.once('error', reject);
      });

      function shutdownServer() {
        return new Promise((resolve, reject) => {
          server.close((err) => {
            if(err) {
              reject(err);
              return;
            }
            resolve();
          })
        });
      }

      return {
        servicePromise: Promise.resolve(server),
        shutdownProvider: shutdownServer,
        errorPromise: fatalErrorPromise,
      };
    });
  })
);

Let's wire it altogether to bootstrap an express application:

// app.js

import { run } from 'knifecycle/instance';
import * from './services/core';
import * from './services/log';
import * from './services/db';
import * from './services/server';

// At this point, nothing is running. To instanciate services, we have to create
// an execution silo using them
// Note that we required the $shutdown service implicitly created by knifecycle
run(['server', 'waitSignal', 'exit', '$shutdown'])
function main({ waitSignal, exit, $shutdown }) {
  // We want to exit gracefully when a SIG_TERM/INT signal is received
  Promise.any([
    waitSignal('SIGINT'),
    waitSignal('SIGTERM'),
  ])
  // The shutdown service will disable silos progressively and then the services
  // they rely on to finally resolve the returned promise once done
  .then($shutdown)
  .then(() => {
    // graceful shutdown was successful let's exit in peace
    exit(0);
  })
  .catch((err) => {
    console.error('Could not exit gracefully:', err);
    exit(1);
  });

}

Debugging

Simply use the DEBUG environment variable by setting it to 'knifecycle':

DEBUG=knifecycle npm t

Plans

The scope of this library won't change. However the plan is:

  • improve performances
  • evolve with Node. I may not need to transpile this library at some point.
  • depends, constant, service, provider may become decorators;
  • track bugs ;).

I'll also share most of my own services/providers and their stubs/mocks in order to let you reuse it through your projects easily.

API

Functions

getInstance()Knifecycle

Returns a Knifecycle instance (always the same)

constant(constantName, constantValue)function

Register a constant service

service(serviceName, service, options)function

Register a service

provider(serviceName, serviceProvider, options)Promise

Register a service provider

depends(dependenciesDeclarations, serviceProvider)function

Decorator to claim that a service depends on others ones.

toMermaidGraph(options)String

Outputs a Mermaid compatible dependency graph of the declared services. See Mermaid docs

run(dependenciesDeclarations)Promise

Creates a new execution silo

_getServiceDescriptor(siloContext, injectOnly, serviceName, serviceProvider)Promise

Initialize or return a service descriptor

_initializeServiceDescriptor(siloContext, serviceName, serviceProvider)Promise

Initialize a service

_initializeDependencies(siloContext, serviceName, servicesDeclarations, injectOnly)Promise

Initialize a service dependencies

getInstance() ⇒ Knifecycle

Returns a Knifecycle instance (always the same)

Kind: global function
Returns: Knifecycle - The created/saved instance
Example

import Knifecycle from 'knifecycle'

const $ = Knifecycle.getInstance();

constant(constantName, constantValue) ⇒ function

Register a constant service

Kind: global function
Returns: function - The created service provider

ParamTypeDescription
constantNameStringThe name of the service
constantValueanyThe constant value

Example

import Knifecycle from 'knifecycle'

const $ = new Knifecycle();

$.constant('ENV', process.env); // Expose the process env
$.constant('time', Date.now.bind(Date)); // Expose a time() function

service(serviceName, service, options) ⇒ function

Register a service

Kind: global function
Returns: function - The created service provider

ParamTypeDescription
serviceNameStringService name
servicefunction | PromiseThe service promise or a function returning it
optionsObjectOptions passed to the provider method

Example

import Knifecycle from 'knifecycle'
import fs from 'fs';

const $ = new Knifecycle();

$.service('config', function config() {
  return new Promise((resolve, reject) {
    fs.readFile('config.js', function(err, data) {
      let config;
      if(err) {
        return reject(err);
      }
      try {
        config = JSON.parse(data.toString);
      } catch (err) {
        return reject(err);
      }
    resolve({
      service: config,
    });
  });
});

provider(serviceName, serviceProvider, options) ⇒ Promise

Register a service provider

Kind: global function
Returns: Promise - The actual service descriptor promise

ParamTypeDescription
serviceNameStringService name
serviceProviderfunctionService provider or a service provider promise
optionsObjectOptions for the provider
options.singletonObjectDefine the provider as a singleton (one instance for several runs)

Example

import Knifecycle from 'knifecycle'
import fs from 'fs';

const $ = new Knifecycle();

$.provider('config', function configProvider() {
  return Promise.resolve({
    servicePromise: new Promise((resolve, reject) {
      fs.readFile('config.js', function(err, data) {
        let config;
        if(err) {
          return reject(err);
        }
        try {
          config = JSON.parse(data.toString);
        } catch (err) {
          return reject(err);
        }
        resolve({
          service: config,
        });
      });
    });
  });
});

depends(dependenciesDeclarations, serviceProvider) ⇒ function

Decorator to claim that a service depends on others ones.

Kind: global function
Returns: function - Returns the decorator function

ParamTypeDescription
dependenciesDeclarationsArray.<String>Dependencies the decorated service provider depends on.
serviceProviderfunctionService provider or a service provider promise

Example

import Knifecycle from 'knifecycle'
import fs from 'fs';

const $ = new Knifecycle();

$.service('config', $.depends(['ENV'], function configProvider({ ENV }) {
  return new Promise((resolve, reject) {
    fs.readFile(ENV.CONFIG_FILE, function(err, data) {
      let config;
      if(err) {
        return reject(err);
      }
      try {
        config = JSON.parse(data.toString);
      } catch (err) {
        return reject(err);
      }
      resolve({
        service: config,
      });
    });
  });
}));

toMermaidGraph(options) ⇒ String

Outputs a Mermaid compatible dependency graph of the declared services. See Mermaid docs

Kind: global function
Returns: String - Returns a string containing the Mermaid dependency graph

ParamTypeDescription
optionsObjectOptions for generating the graph (destructured)
options.shapesArray.<Object>Various shapes to apply
options.stylesArray.<Object>Various styles to apply
options.classesObjectA hash of various classes contents

Example

import Knifecycle from 'knifecycle'

const $ = new Knifecycle();

$.constant('ENV', process.env);
$.constant('OS', require('os'));
$.service('app', $.depends(['ENV', 'OS'], () => Promise.resolve()));
$.toMermaidGraph();

// returns
graph TD
  app-->ENV
  app-->OS

run(dependenciesDeclarations) ⇒ Promise

Creates a new execution silo

Kind: global function
Returns: Promise - Service descriptor promise

ParamTypeDescription
dependenciesDeclarationsArray.<String>Service name.

Example

import Knifecycle from 'knifecycle'

const $ = new Knifecycle();

$.constant('ENV', process.env);
$.run(['ENV'])
.then(({ ENV }) => {
 // Here goes your code
})

_getServiceDescriptor(siloContext, injectOnly, serviceName, serviceProvider) ⇒ Promise

Initialize or return a service descriptor

Kind: global function
Returns: Promise - Service dependencies hash promise.

ParamTypeDescription
siloContextObjectCurrent execution silo context
injectOnlyBooleanFlag indicating if existing services only should be used
serviceNameStringService name.
serviceProviderStringService provider.

_initializeServiceDescriptor(siloContext, serviceName, serviceProvider) ⇒ Promise

Initialize a service

Kind: global function
Returns: Promise - Service dependencies hash promise.

ParamTypeDescription
siloContextObjectCurrent execution silo context
serviceNameStringService name.
serviceProviderStringService provider.

_initializeDependencies(siloContext, serviceName, servicesDeclarations, injectOnly) ⇒ Promise

Initialize a service dependencies

Kind: global function
Returns: Promise - Service dependencies hash promise.

ParamTypeDefaultDescription
siloContextObjectCurrent execution silo siloContext
serviceNameStringService name.
servicesDeclarationsStringDependencies declarations.
injectOnlyBooleanfalseFlag indicating if existing services only should be used

License

MIT

Keywords

FAQs

Package last updated on 22 May 2017

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc