DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Refcards Trend Reports Events Over 2 million developers have joined DZone. Join Today! Thanks for visiting DZone today,
Edit Profile Manage Email Subscriptions Moderation Admin Console How to Post to DZone Article Submission Guidelines
View Profile
Sign Out
Refcards
Trend Reports
Events
Zones
Culture and Methodologies Agile Career Development Methodologies Team Management
Data Engineering AI/ML Big Data Data Databases IoT
Software Design and Architecture Cloud Architecture Containers Integration Microservices Performance Security
Coding Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Partner Zones AWS Cloud
by AWS Developer Relations
Culture and Methodologies
Agile Career Development Methodologies Team Management
Data Engineering
AI/ML Big Data Data Databases IoT
Software Design and Architecture
Cloud Architecture Containers Integration Microservices Performance Security
Coding
Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance
Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Partner Zones
AWS Cloud
by AWS Developer Relations
  1. DZone
  2. Data Engineering
  3. Big Data
  4. The Fastest Node.js Logger for Production: Pino

The Fastest Node.js Logger for Production: Pino

In this article, Stefan Thies summarizes Pino, a tool developed by nearForm to increase the performance of Node.js applications by making logging as fast as possible.

Stefan Thies user avatar by
Stefan Thies
·
Nov. 30, 16 · Opinion
Like (8)
Save
Tweet
Share
21.14K Views

Join the DZone community and get the full member experience.

Join For Free

During the Node Interactive event in Amsterdam, we had the pleasure of speaking with Matteo Collina from nearForm about the blazingly fast logger Pino. In this post, we’ll share our insights into Pino and the additional steps required to have a reliable and fast log management solution for Node.js applications.

Let’s first summarize Matteo’s talk. The tool named Pino was developed by nearForm to increase the performance of Node.js applications by making logging as fast as possible. The idea is simple: the faster the logger, the less CPU it uses, the more CPU time the app will have to serve, for example, HTTP requests. nearForm tuned Pino to be the fastest logger for Node.js, thus increasing throughput and reducing the response latency of their customers’ apps, which of course saves money for cloud computing resources!

Performance of Node.js logging frameworks.  Source: The cost of Logging Performance of Node.js logging frameworks (source)

Why Is Pino So Fast?

  • Optimized JS code, i.e., for serialization and string operations.
  • Pino streams logs in line-delimited JSON format to any given output stream (default: standard output stream).
  • Minimalistic functionality in the Pino core:
    • Pino has no functionality for log rotation or compression.
    • Pino itself does not include transport layers or format templates. Transports are separate modules running in a separate process. For example, pino-elasticsearch reads from standard input and inserts Pino-formatted logs into Elasticsearch, such as: node app.js | pino-elasticsearch -i log_index -H elasticsearch-server -p 9200

What Makes Pino So Easy to Use?

  • The Pino API and output format are compatible with Bunyan (popular logging framework). With very little code modification Bunyan users can switch to Pino! Code Example:
    var pino = require('pino')()
    pino.info('hello world')
    pino.error('this is at error level')
    pino.info('the answer is %d', 42)
  • Separate tools for transports connected via Unix pipes:
    • pino-elasticsearch
    • pino-socket
  • Plugins for the most popular web frameworks are available that feature logging request details including response times:
    • pino-hapi
    • pino-express
    • pino-koa
    • pino-restify
    • pino-http

Awesome, speeding up logging for Node.js web frameworks! But what needs to be done to use this in production? The minimalistic approach of Pino requires some additional steps to be done. Running additional Node.js tasks in separate processes helps utilize the CPU resources much better. For example, Pino log events could be streamed to Elasticsearch with pino-elasticsearch using two separate processes. If you don’t want to deal with maintaining your own Elasticsearch you can use logsene-hosted Elasticsearch for Logs and simply point pino-elasticsearch to it; just replace the IndexName with the token for your Logsene app.

node my-api-service.js | pino-elasticsearch --index IndexName -H https://logsene-receiver.sematext.com -p 443 -b 1000

This means there is no slowdown in the Node.js web server app bound to one CPU core (assuming no worker processed used), while the Elasticsearch transport might be processed on the second core.

Pino-elasticsearch is designed for simplicity and plays well with Unix pipes. Our tests did show that pino-elasticsearch uses nearly constant memory (<100 MB) and low CPU <5% during our tests – a low overhead to stream logs in Elasticsearch!

However, in production we might face more complex situations, such as:

  • Network connections to Elasticsearch might become slow or they might break.

  • Elasticsearch might reject requests when it gets overloaded.

To avoid dropped logs in either situation, it is safer to (in the case of shipping failure) persist logs locally first and track the status of log forwarding for later transmission.

Writing logs to standard output is state-of-the-art today because it fits well the logging model used by Docker, Upstart, and Systemd. However, a far more reliable alternative is to, in the case of shipping failure, persist logs locally first and track the status of log forwarding for later transmission to log management services. That’s why the best practice is to combine apps using Pino with existing tools:

  1. Upstart and Systemd to collect standard output and error stream and write them to files.

  2. Log rotate or Journald to handle log file rotation.

  3. Log shippers to forward logs securely and reliably to central log storage and indexing service where search and analysis take place.

Note that if your application is deployed in a Docker container, there are other ways of handling logs (for example, by Docker logging drivers or agents like Sematext Docker Agent – probably the easiest way to deal with this issue!). However, as not everybody has moved to Docker in production yet, let’s have a look at typical Linux deployments.

We checked several logging setups of a Restify server and compared logging with Bunyan and Pino on a server with four CPU cores and 8 GB RAM. Then, we added a log shipper to forward logs to Elasticsearch/Logsene to see the impact on the performance of the Restify server. The chart below shows that usingrestify-pino-loggerinstead ofrestify-bunyan-logger increased the number of HTTP requests per second by more than 27%. Adding a reliable log shipper in parallel, which used the second CPU core, slowed down the Restify server by only 3%.This means a performance gain of 24% for the Restify server itself (vs. Bunyan logger) and having a reliable log shipper setup in parallel.

HTTP requests

Note: The move from Bunyan to Pino is really easy, as Pino API is compatible with Bunyan. We used the Restify servers from this link for our tests. 

Example: Linux Deployment

Let’s walk through a complete Linux deployment of a simple Node.js service, one that uses the Pino Logger (API), upstart, Logrotate, and Logagent to ship logs into Elasticsearch and Kibana.

Upstart Service File for the Node.js Server Application

We assume Node.js app logs with Pino to standard output and error stream, i.e., my-api-service/app.js:

var restify = require('restify')
var server = restify.createServer({name: 'app'})
server.use(require('restify-pino-logger')())
server.get('/', function (req, res) {
  res.send('hello world')
})

Upstart collects logs in /var/log/upstart/serviceName.log. A typical upstart config file looks like this:

#/etc/init/my-api-service.conf
start on filesystem and net-device-up IFACE!=lo
stop on runlevel[016]
respawn
respawn limit 5 60
kill timeout 30
setuid nobody
setgid nogroup
limit nofile 32768 32768
# Token for SPM Node.js Monitoring - https://sematext.com/spm/integrations/nodejs-monitoring
env SPM_TOKEN=XXXX 
env NODE_MONITORING="-r /usr/lib/node_modules/spm-agent-nodejs"
env NODE_ENV=production
env WEB_CONCURRENCY=2
env PORT=80
env NODE_OPTIONS="--max-old-space-size=250"
env APP_JS_FILE=/usr/lib/node_modules/my-api-service/app.js
chdir /tmp
exec /usr/bin/node $NODE_MONITORING $NODE_OPTIONS $APP_JS_FILE

The service needs to be enabled:

sudo initctl reload-configuration
sudo start my-api-service

Logrotate

Logrotate is a Linux service typically run once a day to rename, compress and delete old log files while keeping the last N log files.

By default, Logrotate is configured to rotate files weekly:

> cat /etc/logrotate.conf 
# see "man logrotate" for details
# rotate log files weekly
weekly
# ...
# packages drop log rotation information into this directory
include /etc/logrotate.d

If you like to rotate logs daily (or by size) for the new service, then you have to create a new file in /etc/logrotate.d to define service-specific rules:

/var/log/upstart/my-api-service {
     daily
    missingok
    rotate 8
    compress
    delaycompress
    notifempty
}

Log Shipper Setup for Elasticsearch

Log shippers can stream our /var/log/upstart/my-api-service.log log file to Elasticsearch. Most of the popular log shippers can deal with rotating log files and queue logs in local buffers when Elasticsearch is not available. Let’s use @sematext/logagent so that we don’t need to install Ruby or Java on our Node.js server and because Logagent can deal with JSON logs in Pino and Bunyan format, plus because we want to make sure we don’t lose any logs if the destination is temporarily not reachable (Logagent will buffer logs locally and try to ship them later). Let’s also skip the Elasticsearch setup and just configure it to ship logs to Logsene, which is compatible with the Elasticsearch API:

sudo npm i -g @sematext/logagent
# setup with the index name / Logsene Token and a glob pattern to watch files
sudo logagent-setup LOGSENE_TOKEN ‘/var/log/**/*.log’

Done! Logagent runs as a Linux service, watches log files produced by Pino, and ships them reliably to Logsene, with local buffering and all.

If you prefer to use a different Elasticsearch server (e.g. your own) you must configure the Elasticsearch URL and index name in /etc/sematext/logagent.conf, i.e.:

output:
  elasticsearch:
    url: http://elasticsearch-server:9200
    index: my_api_service_logs

Then, restart the service with sudo service logagent restart. You might want to check Logagents status messages in /var/log/upstart/logagent.log:

As soon as logs arrive in ELK, we can use Kibana (if you are using Logsene, you can use Kibana, which is integrated into it) to analyze Express, Hapi, and Restify logs created by Pino:

Wrapping Up

Node.js apps can easily benefit from Pino. Switching to Pino for logging will save precious CPU cycles typically spent on inefficient logging. The proper production deployment needs to include additional tasks like log rotation, and log forwarding to a centralized Log Management System to analyze the logs. Using the right tools and settings, a fast and reliable setup can be achieved quickly and easily.

Node.js Production (computer science) Elasticsearch file IO app Web Service Fastest Docker (software)

Published at DZone with permission of Stefan Thies, DZone MVB. See the original article here.

Opinions expressed by DZone contributors are their own.

Popular on DZone

  • Spring Boot vs Eclipse MicroProfile: Resident Set Size (RSS) and Time to First Request (TFR) Comparative
  • 11 Observability Tools You Should Know
  • Reliability Is Slowing You Down
  • Cloud Performance Engineering

Comments

Partner Resources

X

ABOUT US

  • About DZone
  • Send feedback
  • Careers
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 600 Park Offices Drive
  • Suite 300
  • Durham, NC 27709
  • support@dzone.com
  • +1 (919) 678-0300

Let's be friends: