LeetCode 437: Path Sum III Solution in Python – A Step-by-Step Guide

Imagine you’re exploring a treasure map shaped like a binary tree, where each node holds a number, and you’re hunting for paths—any stretch from one node to another, going downward—that add up to a specific treasure sum. You don’t need to start at the root or end at a leaf; any valid path counts. That’s the adventure of LeetCode 437: Path Sum III, a medium-level problem that’s a delightful mix of tree traversal and clever counting. Using Python, we’ll tackle it two ways: the Best Solution, a prefix sum approach with a hash map that’s fast and elegant, and an Alternative Solution, a recursive DFS that’s intuitive but slower. With examples, code breakdowns, and a friendly tone, this guide will help you uncover those treasure paths—whether you’re new to trees or branching out your skills. Let’s dig into the tree and start summing!

What Is LeetCode 437: Path Sum III?

Section link icon

In LeetCode 437: Path Sum III, you’re given a binary tree and a target sum. Your task is to count how many paths (contiguous sequences of nodes, moving downward) have values that add up to the target. Unlike some path sum problems, you can start and end anywhere along a downward path—not just root-to-leaf. For example, in a tree with nodes [10, 5, -3], a target of 15 might catch the path [10, 5]. It’s like finding all the winning combinations in a tree-shaped number game.

Problem Statement

  • Input: root (TreeNode)—root of a binary tree; targetSum (int)—the target sum.
  • Output: Integer—the number of paths summing to targetSum.
  • Rules:
    • Paths must go downward (parent to child, no backtracking).
    • Can start and end at any node.
    • Tree has up to 1000 nodes.

Constraints

  • Number of nodes: [0, 1000].
  • Node values: [-10^9, 10^9].
  • targetSum: [-10^9, 10^9].

Examples to Get Us Going

  • Input: root = [10,5,-3,3,2,null,11], targetSum = 8
    • Output: 3
      • Paths: [5,3] (5+3=8), [5,2,1] (not here, but check tree), [8] (not here), but tree paths like [10,-3,1] don’t fit; actual paths are [5,3], [5], [-3,11].
  • Input: root = [5,4,8,11,null,13,4,7,2,null,null,5,1], targetSum = 22
    • Output: 3
      • Paths: [5,4,11,2], [5,8,9 (not here)], [8,13,1].
  • Input: root = [], targetSum = 0
    • Output: 0 (Empty tree).

Understanding the Problem: Hunting Paths in a Tree

Section link icon

To solve LeetCode 437: Path Sum III in Python, we need to count all downward paths summing to targetSum. A naive approach—checking every possible path from every node—would be O(n * h) per node, where h is height, ballooning to O(n²) or worse. Instead, we’ll use:

  • Best Solution (Prefix Sum with Hash Map): O(n) time, O(n) space—brilliant and efficient.
  • Alternative Solution (Recursive DFS): O(n * h) time, O(h) space—clear but slower.

Let’s dive into the prefix sum solution—it’s the treasure map we need.

Best Solution: Prefix Sum with Hash Map

Section link icon

Why This Is the Best Solution

The prefix sum approach with a hash map is the gold standard because it runs in O(n) time and O(n) space, visiting each node once while cleverly tracking sums. By using running sums (prefix sums) and a hash map to store their frequencies, we can spot target paths in one pass. It’s like keeping a running tally of your treasure haul and instantly knowing when you’ve hit the jackpot!

How It Works

Here’s the strategy:

  • Step 1: Use a hash map to store prefix sums (cumulative sums from root to current node) and their counts.
  • Step 2: Traverse the tree (preorder DFS):
    • Update the current prefix sum.
    • Check if prefix_sum - targetSum exists in the map—each match is a path ending at the current node.
    • Add current prefix sum to map.
    • Recurse left and right.
    • Backtrack by removing current sum from map.
  • Step 3: Return total path count.
  • Why It Works:
    • If prefix_sum - targetSum = some past sum, the difference (current path) equals targetSum.
    • Hash map makes lookups O(1).

Step-by-Step Example

Example: root = [10,5,-3,3,2,null,11], targetSum = 8

  • Tree:

10 / \ 5 -3 / \ \ 3 2 11 / \ 1 -1

  • Process (Preorder):
    • Map: {0:1} (base case), count = 0.
    • Node 10: prefix = 10, check 10-8=2 (not found), map = {0:1, 10:1}.
    • Node 5: prefix = 15, check 15-8=7 (not found), map = {0:1, 10:1, 15:1}.
    • Node 3: prefix = 18, check 18-8=10 (found, count += 1), map = {0:1, 10:1, 15:1, 18:1}.
    • Node 1: prefix = 19, check 19-8=11 (not found), map update, backtrack.
    • Backtrack to 5, map = {0:1, 10:1, 15:1}.
    • Node 2: prefix = 17, check 17-8=9 (not found), backtrack.
    • Back to 10, Node -3: prefix = 7, check 7-8=-1 (not found), map update.
    • Node 11: prefix = 18, check 18-8=10 (found, count += 1), backtrack.
  • Result: 3 (paths: [5,3], [-3,11], [8] not in this tree but verified).

Code with Detailed Line-by-Line Explanation

Here’s the Python code, broken down clearly:

class Solution:
    def pathSum(self, root: Optional[TreeNode], targetSum: int) -> int:
        # Map to store prefix sums and their frequencies
        prefix_sums = {0: 1}  # Base case: empty path
        self.count = 0

        def dfs(node, curr_sum):
            if not node:
                return

            # Update current prefix sum
            curr_sum += node.val

            # Check if there's a path summing to targetSum ending here
            if curr_sum - targetSum in prefix_sums:
                self.count += prefix_sums[curr_sum - targetSum]

            # Add current sum to map
            prefix_sums[curr_sum] = prefix_sums.get(curr_sum, 0) + 1

            # Recurse
            dfs(node.left, curr_sum)
            dfs(node.right, curr_sum)

            # Backtrack: remove current sum
            prefix_sums[curr_sum] -= 1
            if prefix_sums[curr_sum] == 0:
                del prefix_sums[curr_sum]

        dfs(root, 0)
        return self.count
  • Line 4: Map starts with {0:1}—empty path has sum 0.
  • Line 5: Track path count.
  • Line 7-22: DFS helper:
    • Line 9: Skip null nodes.
    • Line 12: Add node value to running sum.
    • Line 15-16: If curr_sum - targetSum exists, add its frequency to count.
    • Line 19: Update map with current sum.
    • Line 22-23: Recurse left and right.
    • Line 26-28: Backtrack by decrementing/removing sum.
  • Time Complexity: O(n)—each node visited once.
  • Space Complexity: O(n)—hash map size.

It’s like a treasure detector scanning the tree in one sweep!

Alternative Solution: Recursive DFS

Section link icon

Why an Alternative Approach?

The recursive DFS method explores all paths from each node—O(n * h) time, O(h) space—checking sums as it goes. It’s less efficient but intuitive, like manually tracing every possible trail on the map. Great for understanding the problem’s roots!

How It Works

  • Step 1: From each node, explore all downward paths.
  • Step 2: Track running sum, count when it hits targetSum.
  • Step 3: Recurse through all nodes.

Step-by-Step Example

Example: root = [10,5,-3], targetSum = 15

  • From 10: [10] (no), [10,5] (15, count=1), [10,-3] (7).
  • From 5: [5] (no).
  • From -3: [-3] (no).
  • Result: 1.

Code for DFS Approach

class Solution:
    def pathSum(self, root: Optional[TreeNode], targetSum: int) -> int:
        def dfs(node, curr_sum):
            if not node:
                return
            curr_sum.append(node.val)
            # Check sum of current path
            if sum(curr_sum) == targetSum:
                self.count += 1
            dfs(node.left, curr_sum)
            dfs(node.right, curr_sum)
            curr_sum.pop()

        def explore(node):
            if not node:
                return
            dfs(node, [])
            explore(node.left)
            explore(node.right)

        self.count = 0
        explore(root)
        return self.count
  • Time Complexity: O(n * h)—h for path length per node.
  • Space Complexity: O(h)—recursion stack.

It’s a scenic route through the tree.

Comparing the Two Solutions

Section link icon
  • Prefix Sum (Best):
    • Pros: O(n), fast, elegant.
    • Cons: O(n) space, trickier concept.
  • DFS (Alternative):
    • Pros: O(n * h), intuitive.
    • Cons: Slower, redundant checks.

Prefix sum takes the crown.

Edge Cases and More Examples

Section link icon
  • Input: [] → 0.
  • Input: [1], 1 → 1.
  • Input: [1,-1], 0 → 1.

Both handle these well.

Complexity Recap

Section link icon
  • Prefix Sum: Time O(n), Space O(n).
  • DFS: Time O(n * h), Space O(h).

Prefix sum is the champ.

Key Takeaways

Section link icon
  • Prefix Sum: Speed through sums.
  • DFS: Explore every path.
  • Python Tip: Hash maps rock—see [Python Basics](/python/basics).

Final Thoughts: Find That Treasure

Section link icon

LeetCode 437: Path Sum III in Python is a tree-traversing treasure hunt. Prefix sum with a hash map is your fast track to victory, while DFS offers a hands-on journey. Want more tree challenges? Try LeetCode 112: Path Sum or LeetCode 543: Diameter of Binary Tree. Ready to count those paths? Head to Solve LeetCode 437 on LeetCode and unearth your coding treasure today—your skills are branching out!