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
Please enter at least three characters to search
Refcards Trend Reports
Events Video Library
Refcards
Trend Reports

Events

View Events Video Library

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
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

Last call! Secure your stack and shape the future! Help dev teams across the globe navigate their software supply chain security challenges.

Modernize your data layer. Learn how to design cloud-native database architectures to meet the evolving demands of AI and GenAI workloads.

Releasing software shouldn't be stressful or risky. Learn how to leverage progressive delivery techniques to ensure safer deployments.

Avoid machine learning mistakes and boost model performance! Discover key ML patterns, anti-patterns, data strategies, and more.

Related

  • Utilizing Database Hooks Like a Pro in Node.js
  • A Beginner's Guide to Back-End Development
  • Nginx + Node.JS: Perform Identification and Authentication
  • Creating a Secure REST API in Node.js

Trending

  • Unlocking the Benefits of a Private API in AWS API Gateway
  • AI Meets Vector Databases: Redefining Data Retrieval in the Age of Intelligence
  • Unlocking AI Coding Assistants Part 4: Generate Spring Boot Application
  • Docker Base Images Demystified: A Practical Guide
  1. DZone
  2. Data Engineering
  3. Databases
  4. How to Interact With a Database Using Callbacks in Node.js

How to Interact With a Database Using Callbacks in Node.js

Callback functions have been around for a while, but there have never been any standards for using them — leading to variations in API implementations.

By 
Dan McGhan user avatar
Dan McGhan
·
Jul. 23, 17 · Tutorial
Likes (4)
Comment
Save
Tweet
Share
35.0K Views

Join the DZone community and get the full member experience.

Join For Free

Be sure to check out Part 1 first if you haven't already!

Callback functions have been around since the early days of JavaScript, but there have never been any standards for using them. How should callbacks be passed into async APIs? How should errors that occur during async processing be handled? A lack of standards led to variations in API implementations.

The developers of Node.js decided that some basic rules for callbacks would be good for consistency. Today, Node.js style callbacks are the canonical pattern used for async APIs (though some EventEmitter-based APIs exist, as well). Because the pattern is so simple, it’s very easy to learn and put to use. But as you'll see, the pattern alone isn’t perfect for every situation.

Callback Pattern Overview

The callback pattern in Node.js follows two basic rules:

  1. When an asynchronous API is invoked, the callback function will be the last parameter passed in.
  2. When the callback function is invoked, the first parameter is reserved for an error that may have occurred. The value will be null (falsy) if no error occurred and an instance of Error (truthy) if an error did occur.

Here’s a fictitious example that demonstrates the callback pattern:

const asyncFunc = require('asyncFunc');

function myCallback(err, value) {
  if (err) {
    // handle error
    return; // Returning here is important!
  }

  // Do something with value
}

asyncFunc('foo', 42, myCallback);

This is what’s happening in the script above:

  • Line 1: A fake async API is required in. This API is a function that implements the Node.js callback pattern.
  • Lines 3-10: A function named myCallback is declared. The first formal parameter is reserved for errors that may occur when the async work is running (Rule #2 above). The return statement on Line 6 is used to exit the function after the error is handled.
  • Line 12: The asyncFunc function is invoked. The last parameter passed in is a reference to the callback function (Rule #1 above). When the async work is done, the callback will be added to the callback queue and eventually executed on the main thread.

Remember: If an error has occurred, it’s important to exit the function after handling the error. With this pattern, that responsibility falls on you.

As you can see, this is a pretty simple pattern and it works great for simple, sequential async flows. But in addition to forgetting to exit after error handling logic, there are a couple of other issues that might trip up newcomers to Node.js.

Callback Hell

Callback hell (AKA the pyramid of doom) is something of a right of passage with Node.js. You start by writing one async call using an anonymous callback. Then you embed another async call, and then another, and you continue doing this until even you can’t make sense of the code anymore.

The following script, which writes a file, is a not-so-bad example of callback hell:

const fs = require('fs');

fs.open('test.txt', 'a+', function(err, fd) {
    if (err) {
        throw err;
    }

    fs.write(fd, 'test line', function(err, written, string) {
        if (err) {
            throw err;
        }

        fs.close(fd, function (err) {
            if (err) {
                throw err; // The top of the pyramid!
            }
        });
    });
});

Do you see how each async call is indented to help keep the code readable? To some, the whitespace that builds up to the innermost async call looks like a horizontal pyramid (I used four spaces for indentation over two to make this effect more obvious). Welcome to the pyramid of doom! 

Thankfully, the solution to this problem is simple: Use named functions over anonymous functions! Here’s the same basic logic, rewritten using named functions.

const fs = require('fs');

function openFile() {
    fs.open('test.txt', 'a+', function(err, fd) {
        if (err) {
            throw err;
        }

        writeFile(fd);
    });
}

function writeFile(fd) {
    fs.write(fd, 'test line', function(err, written, string) {
        if (err) {
            throw err;
        }

        closeFile(fd);
    });
}

function closeFile(fd) {
    fs.close(fd, function (err) {
        if (err) {
            throw err;
        }
    });
}

openFile();

OK, so there are more lines of code in this version. But in the real world, using named functions leads to code that’s more readable, maintainable, composable, etc. Plus, you can limit the level of indentation, thus avoiding callback hell!

However, there are still situations where the callback pattern alone isn’t enough.

Callback Pattern Limitations

While the callback pattern is easy to use, there are lots of asynchronous workflows that it doesn’t help with out-of-the-box. Here are some examples:

  • You need to run multiple asynchronous functions concurrently, then run a different function when the concurrent functions have finished.
  • You need a queue that can run n number of functions concurrently.
  • You have an array of “things” that needed to be processed asynchronously (either serially or in parallel), then run another function after all elements in the array have been processed.

Although the sample application in this series doesn’t do anything this complex, these types of flows are quite common. All of the tools that you need to write such flows using just callbacks are available to you in JavaScript, but writing the algorithms may not be so easy and the resulting code may not be easy to maintain — especially for folks that are new to Node.js.

You might start writing a library to abstract away some of the complexity involved with such async flows. If you spend a lot of time building out such a library, you’d eventually have something that looks a lot like Async, one of the most popular libraries in the history of Node.js. I’ll cover Async in the next post in this series. For now, let’s stick to the callback pattern and see how it can be used to code the demo application.

Callback Demo App

The callback demo app is comprised of the following four files. The files are also available via this Gist.

package.json:

{
  "name": "callbacks",
  "version": "1.0.0",
  "description": "",
  "main": "index.js",
  "scripts": {
    "test": "echo \"Error: no test specified\" && exit 1"
  },
  "keywords": [],
  "author": "Dan McGhan <dan.mcghan@oracle.com> (https://jsao.io/)",
  "license": "ISC",
  "dependencies": {
    "oracledb": "^1.13.1"
  }
}

This is a very basic package.json file. The only external dependency is oracledb.

index.js:

const oracledb = require('oracledb');
const dbConfig = require('./db-config.js');
const employees = require('./employees.js');

oracledb.createPool(dbConfig, function(err) {
  if (err) {
    console.log(err);
    return;
  }

  employees.getEmployee(101, function(err, emp) {
    if (err) {
      console.log(err);
      return;
    }

    console.log(emp);
  });
});

In this version of the index.js, the Node.js callback pattern is used to first create a connection pool and then to fetch an employee. Although the pool is passed to the callback function for createPool, it’s not referenced here as the built-in pool cache will be used in employees.js.

module.exports = {
  user: 'hr',
  password: 'oracle',
  connectString: 'localhost:1521/orcl',
  poolMax: 20,
  poolMin: 20,
  poolIncrement: 0
};

The db-config.js file is used in index.js to provide the connection info for the database. This configuration should work with the DB App Dev VM, but it will need to be adjusted for other environments.

const oracledb = require('oracledb');

function getEmployee(empId, getEmployeeCallback) {
  oracledb.getConnection(function(err, conn) {
    if (err) {
      console.log('Error getting connection', err);
      getEmployeeCallback(err);
      return;
    }

    console.log('Connected to database');

    conn.execute(
      `select *
      from employees
      where employee_id = :emp_id`,
      [empId],
      {
        outFormat: oracledb.OBJECT
      },
      function(err, result) {
        if (err) {
          console.log('Error executing query', err);

          getEmployeeCallback(err);

          conn.close(function(err) {
            if (err) {
              console.log('Error closing connection', err);
            } else {
              console.log('Connection closed');
            }
          });

          return;
        }

        console.log('Query executed');

        getEmployeeCallback(null, result.rows[0]);

        conn.close(function(err) {
          if (err) {
            console.log('Error closing connection', err);
          } else {
            console.log('Connection closed');
          }
        });
      }
    );
  });
}

module.exports.getEmployee = getEmployee;

This version of the employees.js file uses the Node.js callback pattern to get a connection, to execute a query, and then tp close the connection. Notice that the logic to close the connection, the “finally” in the try…catch…finally block, appears twice — once if an error occurs during the call to connection.execute and again if everything completes without error. The code could be refactored so that the “close” logic is only defined once, but it would still need to be called from these two locations.

The Node.js callback pattern is important to understand when working with Node.js. It’s simple but effective. Hopefully, you now have a better understanding of how it works. Check out the next part of the series to see how to use the Async module to do the same work.

Node.js Database

Published at DZone with permission of Dan McGhan, DZone MVB. See the original article here.

Opinions expressed by DZone contributors are their own.

Related

  • Utilizing Database Hooks Like a Pro in Node.js
  • A Beginner's Guide to Back-End Development
  • Nginx + Node.JS: Perform Identification and Authentication
  • Creating a Secure REST API in Node.js

Partner Resources

×

Comments
Oops! Something Went Wrong

The likes didn't load as expected. Please refresh the page and try again.

ABOUT US

  • About DZone
  • Support and feedback
  • Community research
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

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

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 3343 Perimeter Hill Drive
  • Suite 100
  • Nashville, TN 37211
  • support@dzone.com

Let's be friends:

Likes
There are no likes...yet! 👀
Be the first to like this post!
It looks like you're not logged in.
Sign in to see who liked this post!