Get the FREE Ultimate OpenClaw Setup Guide →

Trace and Isolate

Scanned
npx machina-cli add skill rohitg00/skillkit/trace-and-isolate --openclaw
Files (1)
SKILL.md
6.4 KB

Trace and Isolate

You are using systematic tracing and isolation techniques to narrow down where a bug originates. The goal is to find the exact location in code where behavior diverges from expectation.

Core Principle

Divide and conquer. Systematically narrow the search space until you find the exact point of failure.

Binary Search Debugging

When you have a large codebase or complex flow:

  1. Identify the start - Last known good state
  2. Identify the end - First observed bad state
  3. Test the middle - Check if behavior is good or bad
  4. Repeat - Binary search on the half with the bug

Code Path Binary Search

Start: User clicks submit button
End: Error shown to user

Midpoint 1: Form validation
→ Data looks correct here? Continue to later code
→ Data already wrong? Focus on earlier code

Midpoint 2: API request construction
→ Request payload correct? Focus on server side
→ Payload already malformed? Focus on form handling

...Continue until exact line is found

Git Bisect for Regressions

When a bug appeared between two commits:

# Start bisect
git bisect start

# Mark current (broken) state as bad
git bisect bad

# Mark last known good state
git bisect good v2.3.0

# Git checks out middle commit, test and mark
git bisect good  # or git bisect bad

# Repeat until found
# Git will report: "abc123 is the first bad commit"

# Clean up
git bisect reset

Automated bisect with test script:

git bisect start HEAD v2.3.0
git bisect run npm test -- --grep "failing test"

Tracing Techniques

Strategic Logging

Add temporary logging at key points:

function processOrder(order) {
  console.log('[TRACE] processOrder input:', JSON.stringify(order));

  const validated = validateOrder(order);
  console.log('[TRACE] after validation:', JSON.stringify(validated));

  const priced = calculatePrice(validated);
  console.log('[TRACE] after pricing:', JSON.stringify(priced));

  const result = submitOrder(priced);
  console.log('[TRACE] final result:', JSON.stringify(result));

  return result;
}

Log template: [TRACE] <location>: <what> = <value>

Data Flow Tracing

Track how data transforms through the system:

Input: { userId: "123", items: [...] }
    ↓
validateUser() → { userId: "123", verified: true }
    ↓
enrichItems() → { userId: "123", verified: true, items: [...enriched] }
    ↓
calculateTotals() → { ..., subtotal: 100, tax: 8, total: 108 }
    ↓
Output: { orderId: "456", total: 108 }

At each step, verify:

  • Is the input what you expected?
  • Is the output what you expected?
  • Where does expected diverge from actual?

Control Flow Tracing

Track which code paths execute:

function handleRequest(req) {
  console.log('[TRACE] handleRequest entered');

  if (req.authenticated) {
    console.log('[TRACE] authenticated path');
    if (req.isAdmin) {
      console.log('[TRACE] admin path');
      return handleAdminRequest(req);
    } else {
      console.log('[TRACE] user path');
      return handleUserRequest(req);
    }
  } else {
    console.log('[TRACE] unauthenticated path');
    return handlePublicRequest(req);
  }
}

Isolation Techniques

Component Isolation

Test components in isolation to determine which is faulty:

Full System: Frontend → API → Database
              ↓
Test 1: Frontend → Mock API
        → Works? Problem is in API or Database

Test 2: Real API → Mock Database
        → Works? Problem is in Database

Test 3: API with minimal data
        → Works? Problem is data-dependent

Minimal Reproduction

Strip away everything non-essential:

  1. Remove unrelated code - Comment out or delete
  2. Simplify data - Use minimal test data
  3. Remove dependencies - Mock external services
  4. Reduce scope - Single function/component

Goal: Smallest possible code that still shows the bug

Environment Isolation

Eliminate environmental factors:

  • Same behavior in different browsers?
  • Same behavior on different machines?
  • Same behavior with fresh data?
  • Same behavior after clearing cache?
  • Same behavior with default config?

Breakpoint Strategies

Strategic Breakpoint Placement

function complexFunction(input) {
  // BREAKPOINT 1: Entry - check input
  const step1 = transform(input);
  // BREAKPOINT 2: After first transformation

  for (const item of step1.items) {
    // BREAKPOINT 3: Inside loop - conditional on item
    process(item);
  }

  // BREAKPOINT 4: Exit - check output
  return finalize(step1);
}

Conditional Breakpoints

Only break when condition is met:

  • item.id === "problematic-id"
  • count > 100
  • response.status !== 200

Watch Expressions

Monitor values without stopping:

  • this.state.items.length
  • performance.now() - startTime
  • Object.keys(cache).length

Isolation Checklist

Before declaring a component faulty:

  • Tested in complete isolation?
  • All inputs verified correct?
  • All dependencies mocked/verified?
  • Tested with known-good data?
  • Reproduced on clean environment?

Common Isolation Patterns

Database Isolation

-- Create isolated test data
BEGIN TRANSACTION;
-- Insert test data
-- Run test queries
-- Verify results
ROLLBACK;

Network Isolation

// Intercept and log all network requests
const originalFetch = window.fetch;
window.fetch = async (...args) => {
  console.log('[TRACE] fetch:', args[0]);
  const response = await originalFetch(...args);
  console.log('[TRACE] response:', response.status);
  return response;
};

Time Isolation

// Control time for debugging
const realNow = Date.now;
Date.now = () => {
  const time = realNow();
  console.log('[TRACE] Date.now():', new Date(time).toISOString());
  return time;
};

When to Move On

Stop isolating when you have:

  • Exact file and line number
  • Minimal reproduction case
  • Clear understanding of trigger conditions
  • Evidence for root cause hypothesis

Source

git clone https://github.com/rohitg00/skillkit/blob/main/packages/core/src/methodology/packs/debugging/trace-and-isolate/SKILL.mdView on GitHub

Overview

Trace and Isolate guides you to systematically trace execution and isolate faulty components. It combines divide-and-conquer debugging, binary search steps, and component isolation to pinpoint the exact point where behavior diverges from expectation.

How This Skill Works

Identify a start (last known good) and an end (first observed bad) state, then test the midpoint to decide which half to inspect next. Use tracing techniques such as Strategic Logging, Data Flow Tracing, and Control Flow Tracing to surface where inputs, outputs, and paths diverge, and apply component isolation to confirm the faulty piece.

When to Use It

  • Large codebase or complex flow where you can apply binary search debugging to locate the bug.
  • Regression between commits where you use Git Bisect to find the first bad commit.
  • Bug path depends on user input and you need to verify data as it transforms through the pipeline (data flow tracing).
  • Need to confirm which code path is taken and ensure control-flow decisions are correct (control flow tracing).
  • Suspect a specific component (frontend, API, or database) and validate it in isolation using mocks/stubs.

Quick Start

  1. Step 1: Identify start (last known good) and end (first observed bad) states for the bug.
  2. Step 2: Test the midpoint to decide which half to inspect next and repeat.
  3. Step 3: Apply tracing and component isolation to confirm the faulty component and implement the fix.

Best Practices

  • Define start (last known good) and end (first bad) states before testing.
  • Test the midpoint and choose the half that likely contains the bug.
  • Add consistent trace logs at key points following the [TRACE] pattern and template.
  • Verify inputs and outputs at each step to catch where divergence occurs.
  • Isolate components (frontend, API, DB) with mocks or minimal data to confirm fault location.

Example Use Cases

  • Trace a failing order submission from UI through API to database to identify where the failure occurs.
  • Use git bisect to find the first bad commit after a refactor.
  • Instrument a microservices flow with data flow tracing to monitor payload transformations.
  • Use control-flow tracing to confirm which code path handles a specific request.
  • Isolate the API behind a mock service to determine if the issue is server-side or in the frontend.

Frequently Asked Questions

Add this skill to your agents
Sponsor this space

Reach thousands of developers