My favorite debugging technique: Binary elimination

Tiger AbrodiTiger Abrodi
4 min read

What is binary elimination?

Binary elimination is a debugging technique where you systematically comment out portions of code to identify which section contains a bug. It's like a binary search, but for code problems.

Why it works so well

When faced with a large codebase or complex bug, trying to reason through every line is inefficient. Binary elimination lets you quickly narrow down the problematic area without understanding all the code first.

How to use binary elimination

  1. Comment out roughly half your suspect code

  2. Run the program to see if the error still occurs

  3. If the error disappears, the problem is in the commented-out code

  4. If the error remains, the problem is in the active code

  5. Repeat the process with the problematic half, until you isolate the exact issue

Real-world example: TypeScript data parser bug

Let's say you have a TypeScript function that parses CSV data through multiple steps but produces incorrect output:

function parseFinancialData(csvString: string): FinancialReport {
  // Step 1: Split CSV into rows and columns
  const rows = csvString.split("\n").filter((row) => row.trim().length > 0);
  const headers = rows[0].split(",");
  const dataRows = rows.slice(1);

  // Step 2: Convert rows to objects
  const transactions = dataRows.map((row) => {
    const values = row.split(",");
    const transaction: Record<string, any> = {};

    headers.forEach((header, index) => {
      transaction[header.trim()] = values[index]?.trim() || "";
    });

    return transaction;
  });

  // Step 3: Parse numeric values
  const parsedTransactions = transactions.map((transaction) => ({
    ...transaction,
    amount: parseFloat(transaction.amount),
    date: new Date(transaction.date),
  }));

  // Step 4: Group by category
  const byCategory: Record<string, any[]> = {};
  parsedTransactions.forEach((transaction) => {
    const category = transaction.category;
    if (!byCategory[category]) {
      byCategory[category] = [];
    }
    byCategory[category].push(transaction);
  });

  // Step 5: Calculate summaries
  const summary = Object.entries(byCategory).map(([category, transactions]) => {
    const total = transactions.reduce((sum, t) => sum + t.amount, 0);
    return {
      category,
      count: transactions.length,
      total,
      average: total / transactions.length,
    };
  });

  return { transactions: parsedTransactions, byCategory, summary };
}

When your function returns incorrect summaries, you're not sure which step has the bug.

Applying binary elimination

First iteration

Comment out the later steps and check intermediate results:

function parseFinancialData(csvString: string): any {
  // Step 1: Split CSV into rows and columns
  const rows = csvString.split("\n").filter((row) => row.trim().length > 0);
  const headers = rows[0].split(",");
  const dataRows = rows.slice(1);

  // Step 2: Convert rows to objects
  const transactions = dataRows.map((row) => {
    const values = row.split(",");
    const transaction: Record<string, any> = {};

    headers.forEach((header, index) => {
      transaction[header.trim()] = values[index]?.trim() || "";
    });

    return transaction;
  });

  /*
  // Step 3, 4, and 5 commented out
  */

  return { transactions }; // Return early for testing
}

After inspection, the transaction objects look correct, so the problem is in steps 3-5.

Second iteration

Re-enable step 3 and check again:

function parseFinancialData(csvString: string): any {
  // Steps 1-2 here...

  // Step 3: Parse numeric values
  const parsedTransactions = transactions.map((transaction) => ({
    ...transaction,
    amount: parseFloat(transaction.amount),
    date: new Date(transaction.date),
  }));

  console.log("Sample parsed transaction:", parsedTransactions[0]);

  /*
  // Steps 4-5 still commented out
  */

  return { transactions: parsedTransactions };
}

Looking at the logged transaction, you notice the amount is NaN. The bug is in step 3.

Final iteration

Debug step 3 in detail:

// Step 3: Parse numeric values
const parsedTransactions = transactions.map((transaction) => {
  console.log("Raw amount:", transaction.amount, typeof transaction.amount);
  const amount = parseFloat(transaction.amount.replace("$", ""));
  console.log("Parsed amount:", amount);

  return {
    ...transaction,
    amount,
    date: new Date(transaction.date),
  };
});

Now you see the problem: the amount fields include dollar signs that need to be removed before parsing.

Tips for effective binary elimination

  1. Start with large chunks before drilling down

  2. Keep track of what you've commented out and tested

  3. Comment out entire logical sections, not random lines

  4. If removing any section fixes the issue, that section contains the bug

  5. For complex interactions, you may need to restore some code to maintain basic functionality

Why I prefer binary elimination over other debugging methods

  1. Works when you don't fully understand the codebase

  2. Faster than stepping through code or adding print statements everywhere

  3. Useful when you don't know what's causing the problem

4
Subscribe to my newsletter

Read articles from Tiger Abrodi directly inside your inbox. Subscribe to the newsletter, and don't miss out.

Written by

Tiger Abrodi
Tiger Abrodi

Just a guy who loves to write code and watch anime.