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

jlog-facade

v0.9.1

Published

Logger façade that focusing on creating a JSON output for typescript projects

Downloads

279

Readme

jlog-facade

This is a simple logger façade that focusing on creating a JSON output for typescript projects.

Usage

A LoggerFactory is used to create a new instance of a JLogger which doesn't output any log until a log destination is set:

const logger = LoggerFactory.create('my-logger');

// or alternatively
const logger = LoggerFactory.getLogger('my-logger');

Note that .getLogger was created for compatibility with other logger classes but it is not strictly correct. Every call to .getLogger will create a new instance of JLogger.

To write a log entry, it works like any other logger:

logger.debug('This is a debug message');
logger.info(`Process started at port $PORT`);
logger.error('Failed to processing incoming request', err);

Install

npm i jlog-facade

Creating JSON Entry

To facilitate generation of JSON output, JLogger accept IJson as additional attributes to be added to the output:

logger.info('The process has started', {processId: 123456});

The log methods also support a callback method that would handle any potential error when generating the message.

logger.info(() => 'The process has started', {processId: 123456});

AbstractLoggable and AbstractKeyValue

Logger methods also accept an AbstractLoggable which exposes .toJson method allowing any custom object to be written to the log. All the entries are merged before the log and by default, duplicated keys are resolved by first key having priority over any subsquent keys.

AbstractKeyValue is an implementation of AbstractLoggable that creates a simple key/value pair object where value can be any data type. A sample implementation is KV which enforces the value to be instance of TLoggableValue:

logger.info('The process has started', KV.of('processId', 123456), new KV.of('processId', 888));

The value of the processId key in above example is 123456 as it's the first value set.

Label

Another built-in AbstractLoggable is Label that allow caller to pass a key and one or more values. Please note that value of the Label is always a list, even if only one value is passed to the constructor. The duplicate keys of Label passed are merged instead of overwriten:

logger.info('The process has started', Label.of('processId', 123456), Label.of('processId', 888));

The value of the processId key in above example is [123456, 888].

Loggable

A Loggable is a special implementation of AbstractLoggable that accept any data type as value. However, if value passed contains any attributes that cannot be processed by JSON.stringify(), the result will be a string of [object Object]. As result, it's recommend the use of KV instead.

logger.info('The process has started', Loggable.of('date', new Date('2023-03-24')));

The value of the date key in above example would be 2023-03-24T00:00:00.000Z.

Log Destination

2 simple destinations are available in this package:

  1. SimpleJsonDestination
  2. SimpleTextDestination

The class above serve mostly for debug or test purposes. It is expected that a separate platform specific destination is used in an actual project. A log destination really is just a formatter for a IJLogEntry and LoggerFactory. It accepts 3 type of log destination:

  1. A synchronous class that extends AbstractLogDestination
  2. An asynchronous class that extends AbstractAsyncLogDestination
  3. An instance of Writable stream

If one must ensure that last async log has been written, the following promise can be used:

await logger.logWritten();

Usage

At starting point of your application, add desire destinations using A LoggerFactory:

SimpleJsonDestination.use();

// or

LoggerFactory.addLogDestination(new SimpleJsonDestination());

Log Interceptor

Log destination allow you to add a log interceptor by calling setLogInterceptor:

SimpleTextDestination.use(LogLevel.DEBUG).setLogInterceptor((entry: IJLogEntry, loggerLevel?: LogLevel, defaultPayload?: IJson) => {
  // Do something with log entry
});

This is often used by unit testing to ensure that correct data are logged.

Creating Your Own Log Destination

You should be able to create your own version of Log Destination AbstractLogDestination. However, you must make sure that:

  1. Do create a public static use method so that all Log Destination follow the same interface
  2. You must call ._write(entry, loggerLevel, defaultPayload) in your .write method to ensure that log interceptor works
  3. Use safeStringify instead of JSON.stringify to address error that would result from logging an object with circular reference.

Documentation

Configuration

A logger.json can be placed under ./etc/${FP8_ENV}/logger.json or ./config/${FP8_ENV}/logger.json with the following content:

{
  // This is default logger level
  "severity": "info",

  // This overrides the log level for a specific loggerName
  "logger": {
    "my-logger": "debug"
  },

  // This overrides the logger name filter for a destination
  "destination": {
    "TestSimpleTextDestination": {
      "severity": "warn",
      "filters": ["test-zEd7efJ0Pr"]
    }
  }
}

The configuration set in logger.json override what's done in code. The next level of setting is using destination:

// Only write .warn logs
SimpleJsonDestination.use(LogLevel.WARNING);

// Only output log if logger is 'my-logger-A' or 'logger-B'
SimpleJsonDestination.use('my-logger-A', 'logger-B');

// Only output log if logger is 'my-logger' and if level is ERROR or above
SimpleJsonDestination.use(LogLevel.ERROR, 'my-logger');

The level can also be set by upon logger creation but this is not recommended as it should really be set in the logger.json or in a destination.

const logger = LoggerFactory.create('my-logger', LogLevel.ERROR);

The content of the loaded logger.json can be accessed via LoggerFactory.loadedConfig property.

Local vs deployed logger

It's often difficult to read json when doing local development. The logger.json configuration allows you to enable multiple logger and activate a specific logger for given env. To accomplish this, set multiple destination as desired but set those destination using LogLevel.OFF:

SimpleTextDestination.use(LogLevel.OFF);
SimpleJsonDestination.use(LogLevel.OFF);

Add the following logger.json to activate only the SimpleTextDestination:

{
    "destination": {
        "SimpleTextDestination": {
            "severity": "info"
        }
    }
}

Why Another Facade?

Working with project in both Kotlin and Typescript, I have come to miss the abstraction allowed by slf4j in the JVM world. Another challenge I face is the need to produce a JSON based output for cloud service provider.

The problem above is simple to address on a project by project basis but it becomes an complicated mess when trying to create reusable components.

The objectives of jlog-facade are therefore:

  1. A focus on creating a JSON log without requiring all log entry to be a JSON
  2. A simple way to create a log destination without need to change the core library
  3. Typescript centric implementation