DEV Community

Cover image for From Bugs to Bulletproof: Transforming JavaScript with Error Handling
Anurag Gupta
Anurag Gupta

Posted on

From Bugs to Bulletproof: Transforming JavaScript with Error Handling

Introduction

In the life of any application, errors and exceptions are inevitable—they can arise when least expected and manifest in various forms: quirky, intriguing, or downright troublesome. 🚨 Yet, it's not just the errors or exceptions themselves, but how we handle them that defines the strength and resilience of our software. 🛠️

A robust application is not just about recovering from errors and exceptions; it's about preemptively protecting against future issues and ensuring continuous, reliable performance. This article delves into advanced error and exception management techniques in JavaScript, offering insights to help you build resilient, "unbreakable" applications.🚀

The only real mistake is the one from which we learn nothing
~ Henry Ford 💡


In JavaScript, the terms 'errors' and 'exceptions' are often used interchangeably. The language itself only uses the Error keyword (accessible via window.Error). You can create custom error types by utilizing the Error constructor, which allows you to specify a name and a message for the error. Here's a basic difference between error and exception:

Error 🛑: An error is a significant problem that often stems from issues outside the programmer's control, such as system failures or resource limitations. These are serious issues that are usually not intended to be handled by the program, often requiring a fix in the environment or system configurations.

Exception ⚠️: An exception is a less severe issue that can occur during the normal operations of a program. Examples include accessing a non-existent file or inputting invalid data. Exceptions are foreseeable issues that programmers plan for and manage within their code, allowing the application to continue running or to fail gracefully.

For the purposes of this article, we will refer to both exceptions and errors simply as 'errors', and our discussion will focus on managing these errors effectively.

So, let’s dive in and discover how we can enhance our applications to withstand the test of time and challenges. 🌊


Errors, errors, everywhere — but what on earth is an error, really?

What is an Error?

What is an Error?

Freepik

Technical Definition:

In the context of software and programming, an error is an issue in a computer program that prevents it from executing correctly.

More general definition:

An error is like hitting a roadblock when following a recipe that either stops you from finishing the dish or ends up with something unexpected. In the world of computers, it means there's something wrong in a program that stops it from working right, either because something was written wrong, something unexpected was given to it, or it was told to do something that doesn't make sense.


Why do errors occurs? 🤔

Why do errors occurs?

Freepik

Errors in programming can feel like those pesky gremlins that pop up at the most inconvenient times. But why do they occur? Here’s a lighter take on the reasons behind these digital hiccups:

Human Nature 👤

Yes, it turns out that we're not perfect! Most errors stem from good ol’ human mistakes. Maybe it's a typo, a forgotten semicolon, or an incorrect function name. Just like accidentally putting salt in your coffee instead of sugar, these little slips can cause big problems in code.

Miscommunication 🗣️

Imagine you're trying to bake a cake, but the recipe is in another language. There's a good chance you might end up with something... unexpected. Similarly, if a developer misunderstands the specifications or requirements of a software project, the code may not do what it's supposed to do, leading to errors.

Complexity Conundrums 🧩

The more complex the code, the easier it is for errors to sneak in. It's like trying to coordinate a flash mob dance with 100 people who have two left feet. The more moving parts there are, the more challenging it is to keep everything in sync.

Environmental Oddities 🌍

Sometimes, the environment in which the code runs can lead to errors. This could be due to different operating systems, unexpected user input, or changes in external systems like databases. It’s like trying to perform that flash mob in a thunderstorm—something external is bound to throw off your groove.

Resource Restrictions 🚫💾

Ever tried to pack a suitcase with way too much stuff? Sometimes, programs run out of memory or don't have the resources they need to perform an operation, leading to errors. This is the digital equivalent of that zipper finally giving way under the pressure.


Types of Errors

When we build JavaScript applications, we often encounter different kinds of errors, each presenting its own set of challenges. Here's a quick overview of the most common types of errors we'll come across in JavaScript,

Syntax Errors 🔤

These are fundamental mistakes in writing code, such as missing brackets, semicolons, or other punctuation necessary for the JavaScript engine to correctly parse and execute scripts. These errors are typically caught by the JavaScript interpreter and are the easiest to spot and correct.

/**
 * There is a missing parenthesis at the end of the
 * console.log statement. JavaScript engines will throw a
 * syntax error because the code violates the syntax rules  
 * (missing a closing parenthesis)
 */

console.log("Hello, world";
Enter fullscreen mode Exit fullscreen mode

Runtime Errors ⏱️

Also known as exceptions, these errors occur while the JavaScript code is running. Examples include attempting to access an undefined variable, operating on null values, or trying to perform impossible operations like division by zero. Runtime errors can cause a script to stop abruptly and are only detected during execution.

/**
 * Here, x is not defined before it is used. This will cause a
 * runtime error because JavaScript will try to log an
 * undefined variable, resulting in a ReferenceError.
 */

console.log(x);
Enter fullscreen mode Exit fullscreen mode

Some other JS Exceptions: TypeError, RangeError, URIError

These occur during the execution of the code when operations fail due to incorrect types, undefined variables, or data that is out of the allowed range.

null.someMethod(); // TypeError: Cannot read properties of null (reading 'someMethod')
new Array(-1); // RangeError: Invalid array length
decodeURIComponent('%'); // URIError: URI malformed
Enter fullscreen mode Exit fullscreen mode

You can find list of JavaScript error reference here.

Logical Errors 🧠

The most deceptive, these errors happen when the code does not perform as intended, despite running without triggering exceptions. This could involve using an incorrect algorithm or logic to process data, leading to erroneous outputs. Logical errors are challenging to debug since the code runs smoothly but does not produce the correct results.

/**
 * This function intends to sum the elements of an array but 
 * starts iterating from index 1 instead of index 0. This
 * logic flaw will result in the first element of the array
 * being excluded from the sum, producing incorrect results.
 */

function sumArray(arr) {
  let sum = 0;
  for (let i = 1; i < arr.length; i++) {
    sum += arr[i];
  }
  return sum;
}
Enter fullscreen mode Exit fullscreen mode

Semantic Errors 📖

These occur when the code syntactically makes sense and runs without errors but does not do what the programmer intended. For example, a function designed to calculate the sum of an array might accidentally calculate the product due to a semantic misunderstanding in the coding logic.

/**
 * The function's name suggests it should multiply the input
 * by two, but the operation inside adds two instead. The code
 * runs without errors but does not perform as semantically
 * intended.
 */

function multiplyByTwo(num) {
  return num + 2; // Incorrect operation
}
Enter fullscreen mode Exit fullscreen mode

Interpretation Errors 🏗️

Since JavaScript is an interpreted language, traditional compilation errors as seen in compiled languages do not apply directly. However, interpretation errors can occur when the JavaScript engine interprets the script, such as syntax errors that prevent the script from being executed. These are akin to compilation errors in other programming languages.

/**
 * Although this looks like a condition check, num = 2 is
 * actually an assignment inside the if statement, not a 
 * comparison. This code will run but not as the programmer
 * might have expected, always evaluating as true. This misuse
 * of an assignment instead of a comparison operator (== or
 * ===) is an interpretation error where the JavaScript engine 
 * interprets it as valid but incorrect logic.
 */

let num = 1;

if (num = 2) {
  console.log("Number is two");
}
Enter fullscreen mode Exit fullscreen mode

Each type of error requires a different approach in handling, but the goal remains the same: ensure the application continues to run smoothly and reliably.


Now that we understand what errors are and why they occur, let's explore how to manage them effectively.

Handling Errors

Handling Errors

Freepik

Handling errors effectively is crucial to building resilient JavaScript applications. Here are some robust techniques to manage errors efficiently, ensuring our applications perform smoothly and providing a better user experience.

Using Try-Catch for Error Handling 🛠️

The try...catch statement is a fundamental method for catching exceptions that occur in a block of code. Use try to wrap code that might throw an error and catch to handle the error if one occurs.

try {
  // Code that may throw an error
  const data = JSON.parse(response);
} catch (error) {
  console.error('Failed to parse response:', error);
}
Enter fullscreen mode Exit fullscreen mode

Throwing Custom Errors 🎯

Sometimes, it's useful to create and throw custom errors. This allows us to handle specific error types differently and makes debugging easier.

function validateUser(user) {
  if (!user.name) {
    throw new Error('User must have a name.');
  }
}

try {
  validateUser({});
} catch (error) {
  console.error(error.message);
}
Enter fullscreen mode Exit fullscreen mode

Error Propagation 🔗

In complex applications, it's often better to propagate errors to a higher level where they can be handled more appropriately. This can prevent deep nesting of try-catch blocks and keeps the code cleaner and easier to manage.

function fetchData(url) {
  return fetch(url).then(response => {
    if (!response.ok) {
      throw new Error('Network response was not ok.');
    }
    return response.json();
  });
}

fetchData('https://api.example.com/data')
  .catch(error => {
    console.error('There was a problem with the fetch operation:', error);
  });
Enter fullscreen mode Exit fullscreen mode

Using Finally for Cleanup 🧹

Use the finally block to perform cleanup actions that need to occur whether or not an error was thrown in the try block. This is particularly useful for releasing resources, such as file handles or network connections.

try {
  const data = JSON.parse(response);
} catch (error) {
  console.error('Failed to parse response:', error);
} finally {
  console.log('Cleanup can go here.');
}
Enter fullscreen mode Exit fullscreen mode

Async/Await for Asynchronous Error Handling ⏱️

Handling errors in asynchronous code can be tricky. Using async/await makes it easier to work with asynchronous code and handle errors with traditional try-catch logic.

async function getUserData(userId) {
  try {
    const response = await fetch(`/users/${userId}`);
    const data = await response.json();
    return data;
  } catch (error) {
    console.error('Failed to fetch user data:', error);
  }
}
Enter fullscreen mode Exit fullscreen mode

By implementing these techniques, we can significantly reduce the impact of errors in our JavaScript applications and ensure they remain robust and user-friendly.


Some Advance Techniques ⚙️

To elevate your JavaScript error handling to the next level, you can adopt some more advanced techniques. These strategies help in better error detection, management, and recovery, particularly in large-scale and complex applications. Here’s a brief overview:

Centralized Error Handling 🌐

Creating a centralized error handling mechanism allows you to manage errors systematically across your entire application. This can be particularly useful in large applications where you want to maintain consistency in how errors are logged, reported, and reacted to.

class ErrorHandler {
  static logError(error) {
    // Log error to an external monitoring service
    console.error(error);
  }

  static handleError(error) {
    // Generic error handling logic
    this.logError(error);
    alert('Something went wrong. Please try again.');
  }
}

try {
  // Some code that might fail
  throw new Error('Something bad happened!');
} catch (error) {
  ErrorHandler.handleError(error);
}
Enter fullscreen mode Exit fullscreen mode

Promise Rejection Handling 🔄

Uncaught promise rejections can lead to unexpected behavior in your application. Handling these correctly is essential, especially when using modern JavaScript features like Promises and async/await.

window.addEventListener('unhandledrejection', event => {
  console.error(`Unhandled rejection: ${event.reason}`);
  event.preventDefault();
});
Enter fullscreen mode Exit fullscreen mode

Typescript Decorators for Asynchronous Error Handling 🎨

If you're using TypeScript or Babel, decorators can be an elegant way to handle errors in asynchronous functions. This technique allows you to abstract the error handling logic and keep your asynchronous functions clean. BTW, this is my personal favourite.

function catchErrors(target, key, descriptor) {
  const originalMethod = descriptor.value;
  descriptor.value = async function(...args) {
    try {
      return await originalMethod.apply(this, args);
    } catch (error) {
      console.error('Error caught by decorator:', error);
    }
  };
  return descriptor;
}

class DataService {
  @catchErrors
  async fetchData() {
    // Fetch data from an API
    const response = await fetch('/data');
    if (!response.ok) {
      throw new Error('Failed to fetch data.');
    }
    return response.json();
  }
}
Enter fullscreen mode Exit fullscreen mode

Monitoring and Observability 📊

Implementing robust monitoring and observability in your application can significantly enhance your ability to detect and respond to errors. Tools like Sentry, New Relic, or Datadog can provide real-time insights into your application’s health and error rates.

Sentry.init({
  dsn: 'YOUR_SENTRY_DSN'
});

function problematicFunction() {
  try {
    // Some code that might throw
    throw new Error('Intentional Error');
  } catch (error) {
    Sentry.captureException(error);
    throw error; // Re-throwing the error if you still want to handle it elsewhere
  }
}
Enter fullscreen mode Exit fullscreen mode

npm Packages

Some notable npm packages specifically tailored for error handling in both front-end and back-end JavaScript environments:

Sentry

Sentry provides real-time error tracking and monitoring. It helps in capturing and logging errors and exceptions effectively across applications.

Backend:

npm install @sentry/node
Enter fullscreen mode Exit fullscreen mode

Backend usage with Node.js

const Sentry = require("@sentry/node");

// Initialize Sentry with your DSN (Data Source Name)
Sentry.init({ dsn: 'YOUR_SENTRY_DSN' });

// To capture an exception
try {
  // Some risky operation that might throw
  throw new Error('Something went wrong!');
} catch (error) {
  Sentry.captureException(error);
}
Enter fullscreen mode Exit fullscreen mode

Frontend:

npm install @sentry/browser
Enter fullscreen mode Exit fullscreen mode

Frontend Usage with JavaScript:

import * as Sentry from "@sentry/browser";

// Initialize Sentry with your DSN
Sentry.init({ dsn: 'YOUR_SENTRY_DSN' });

// To capture an exception
try {
  // Some risky operation that might throw
  throw new Error('Something went wrong!');
} catch (error) {
  Sentry.captureException(error);
}
Enter fullscreen mode Exit fullscreen mode

New Relic

New Relic is a powerful tool for application performance monitoring (APM) that also includes features for tracking errors and handling them in real-time.

Universal (mostly used on the backend):

npm install newrelic
Enter fullscreen mode Exit fullscreen mode

Backend usage in Node.js

require('newrelic');

// New Relic automatically starts monitoring your application once required
// It captures all unhandled exceptions and provides performance monitoring
Enter fullscreen mode Exit fullscreen mode

Bugsnag

Bugsnag provides error monitoring and crash reporting for web and server applications. It also helps developers to understand the stability of their applications.

Backend:

npm install @bugsnag/node
Enter fullscreen mode Exit fullscreen mode

Backend Usage with Node.js:

const Bugsnag = require('@bugsnag/node');

Bugsnag.start({ apiKey: 'YOUR_API_KEY' });

// To capture an exception
try {
  throw new Error('Oops!');
} catch (error) {
  Bugsnag.notify(error);
}
Enter fullscreen mode Exit fullscreen mode

Frontend:

npm install @bugsnag/js
Enter fullscreen mode Exit fullscreen mode

Frontend Usage with JavaScript:

import Bugsnag from '@bugsnag/js';

Bugsnag.start({ apiKey: 'YOUR_API_KEY' });

// To capture an exception
try {
  throw new Error('Oops!');
} catch (error) {
  Bugsnag.notify(error);
}
Enter fullscreen mode Exit fullscreen mode

Raygun

Raygun offers crash reporting, real-time error tracking, and performance monitoring for web and mobile apps. It helps teams to diagnose and resolve issues faster.

Universal:

npm install raygun
Enter fullscreen mode Exit fullscreen mode

Universal usage:

const raygun = require('raygun');
const raygunClient = new raygun.Client().init({ apiKey: 'YOUR_API_KEY' });

// To send an error
raygunClient.send(new Error('Something went wrong'));
Enter fullscreen mode Exit fullscreen mode

Rollbar

Rollbar is an error tracking software that helps teams identify, prioritize, and fix errors in real-time. It supports both frontend and backend environments.

Universal:

npm install rollbar
Enter fullscreen mode Exit fullscreen mode

Universal usage:

const Rollbar = require('rollbar');
const rollbar = new Rollbar({
  accessToken: 'YOUR_ACCESS_TOKEN',
  captureUncaught: true,
  captureUnhandledRejections: true
});

// To log an error
rollbar.error('Error message');

// To capture an exception
try {
  throw new Error('Something bad happened!');
} catch (error) {
  rollbar.error(error);
}
Enter fullscreen mode Exit fullscreen mode

These packages provide robust solutions for managing errors and exceptions, improving the reliability and quality of applications across different platforms and environments.


Best Practices & Tips

Here are some essential tips to enhance your error handling strategies:

Be Proactive: Anticipate possible error conditions and handle them upfront.

Keep It User-Friendly: Always consider the user experience when handling errors. Provide helpful error messages and recovery options to ensure that users are not left stranded by technical problems.

Log Wisely: Implement comprehensive logging for errors and exceptions. This helps in diagnosing issues after they occur and is invaluable for ongoing maintenance and debugging.

Use Tools: Leverage monitoring tools and services to keep an eye on your application's health in real-time. Tools like Sentry, Bugsnag, and New Relic can provide insights that are crucial for rapid response and resolution.

Continuously Improve: Use errors as learning opportunities. Analyzing them can provide insights into potential improvements in both code quality and user experience.


Conclusion

Error handling is more than just a technical necessity; it's a core component of software craftsmanship. By effectively managing errors and exceptions, you enhance not only the stability and reliability of your applications but also the overall user satisfaction. Remember, an error-free application is not one that never fails, but one that handles failures gracefully, learns from them, and adapts. Implement the advanced techniques discussed in this article to build more robust and "unbreakable" JavaScript applications, and stay ahead in the game of digital excellence.

Connect with me on LinkedIn: linkedIn/anu95

Happy coding! 💻 ❤️

Anurag Gupta
SDE-II, Microsoft

Top comments (2)

Collapse
 
trickaugusto profile image
Patrick Augusto

Nice post!

Many times we (as developers) forget how important it is to use exception handlers, thanks for your text!

Collapse
 
officialanurag profile image
Anurag Gupta

Thanks Patrick. I'm glad you liked it.