DEV Community

Philip Thomas
Philip Thomas

Posted on

Demystifying Algorithms: Brute Force

What is Brute Force?

Brute force is one of the simplest and most direct problem-solving strategies in computing. It systematically tries all possible solutions until the correct one is found. While it is computationally expensive, its simplicity makes it a good starting point for understanding and solving problems.


The Technical View

  • Time Complexity: Ranges from O(n) to O(n²) or worse, depending on the problem.
  • Space Complexity: Often O(1), as brute force solutions typically don’t require additional memory.

Brute force doesn’t rely on advanced heuristics or optimizations. Instead, it exhaustively explores every possibility, ensuring correctness at the cost of efficiency.


Examples with Code, Complexity, and Optimized Patterns

Here are common brute force problems, each with Python code examples, detailed time and space complexity analyses, and patterns to optimize them.


1. String Matching

Problem: Search for a substring within a string by checking every possible starting position.

Code:

def substring_match_brute_force(text, pattern):
    for i in range(len(text) - len(pattern) + 1):
        match = True
        for j in range(len(pattern)):
            if text[i + j] != pattern[j]:
                match = False
                break
        if match:
            return i
    return -1

# Example Usage
text = "hello world"
pattern = "world"
print(substring_match_brute_force(text, pattern))  # Output: 6
Enter fullscreen mode Exit fullscreen mode

Complexity:

  • Time Complexity: O(n * m)
    • The outer loop iterates through the text (O(n)), and for each position, the inner loop compares up to m characters of the pattern.
  • Space Complexity: O(1)
    • No extra memory is used, as the solution only uses fixed variables.

Optimized Pattern: Knuth-Morris-Pratt (KMP)

KMP precomputes a "partial match" table, allowing the algorithm to skip redundant comparisons. This improves time complexity to O(n + m).


2. Finding Duplicates

Problem: Check all pairs in a list to see if any two elements are the same.

Code:

def find_duplicates_brute_force(nums):
    for i in range(len(nums)):
        for j in range(i + 1, len(nums)):
            if nums[i] == nums[j]:
                return True
    return False

# Example Usage
nums = [1, 2, 3, 4, 5, 6, 2]
print(find_duplicates_brute_force(nums))  # Output: True
Enter fullscreen mode Exit fullscreen mode

Complexity:

  • Time Complexity: O(n²)
    • The nested loops compare every pair in the array.
  • Space Complexity: O(1)
    • Only fixed variables are used.

Optimized Pattern: Hashing

By using a hash set to track seen elements, duplicates can be detected in O(n) time and O(n) space.


3. Maximum Subarray Sum

Problem: Find the subarray with the maximum sum by considering all possible subarrays.

Code:

def max_subarray_sum_brute_force(nums):
    max_sum = float('-inf')
    for i in range(len(nums)):
        for j in range(i, len(nums)):
            current_sum = sum(nums[i:j + 1])
            max_sum = max(max_sum, current_sum)
    return max_sum

# Example Usage
nums = [-2, 1, -3, 4, -1, 2, 1, -5, 4]
print(max_subarray_sum_brute_force(nums))  # Output: 6
Enter fullscreen mode Exit fullscreen mode

Complexity:

  • Time Complexity: O(n³)
    • Outer loop iterates over starting indices (O(n)), inner loop iterates over ending indices (O(n)), and summing the subarray takes O(n).
  • Space Complexity: O(1)
    • No extra memory is used.

Optimized Pattern: Kadane’s Algorithm

Kadane’s algorithm keeps a running sum and resets it when it becomes negative, reducing time complexity to O(n).


4. Palindrome Check

Problem: Test all substrings of a string to find the longest palindrome.

Code:

def longest_palindrome_brute_force(s):
    def is_palindrome(substr):
        return substr == substr[::-1]

    max_length = 0
    longest = ""
    for i in range(len(s)):
        for j in range(i + 1, len(s) + 1):
            if is_palindrome(s[i:j]) and (j - i) > max_length:
                max_length = j - i
                longest = s[i:j]
    return longest

# Example Usage
s = "babad"
print(longest_palindrome_brute_force(s))  # Output: "bab" or "aba"
Enter fullscreen mode Exit fullscreen mode

Complexity:

  • Time Complexity: O(n³)
    • Generating substrings takes O(n²), and checking if a substring is a palindrome takes O(n).
  • Space Complexity: O(1)
    • No extra memory is used.

Optimized Pattern: Dynamic Programming

Using a 2D table to store whether substrings are palindromes reduces the time complexity to O(n²).


5. Two Sum Problem

Problem: Find two numbers in an array that add up to a target value.

Code:

def two_sum_brute_force(nums, target):
    for i in range(len(nums)):
        for j in range(i + 1, len(nums)):
            if nums[i] + nums[j] == target:
                return [i, j]
    return None

# Example Usage
nums = [2, 7, 11, 15]
target = 9
print(two_sum_brute_force(nums, target))  # Output: [0, 1]
Enter fullscreen mode Exit fullscreen mode

Complexity:

  • Time Complexity: O(n²)
    • Two nested loops check all pairs.
  • Space Complexity: O(1)
    • Only fixed variables are used.

Optimized Pattern: Hash Map Lookup

By storing the complement of each number in a hash map, the solution is reduced to O(n) time and O(n) space.


6. Fibonacci Sequence

Problem: Compute the Fibonacci number at position n using recursion.

Code:

def fibonacci_brute_force(n):
    if n <= 1:
        return n
    return fibonacci_brute_force(n - 1) + fibonacci_brute_force(n - 2)

# Example Usage
n = 10
print(fibonacci_brute_force(n))  # Output: 55
Enter fullscreen mode Exit fullscreen mode

Complexity:

  • Time Complexity: O(2ⁿ)
    • Each function call spawns two more calls, resulting in exponential growth.
  • Space Complexity: O(n)
    • The recursion stack depth grows up to n.

Optimized Pattern: Matrix Exponentiation

Using matrix exponentiation, Fibonacci can be computed in O(log n) time and O(1) space.

Matrix Exponentiation Code:

def fibonacci_matrix(n):
    def matrix_multiply(A, B):
        return [
            [A[0][0] * B[0][0] + A[0][1] * B[1][0], A[0][0] * B[0][1] + A[0][1] * B[1][1]],
            [A[1][0] * B[0][0] + A[1][1] * B[1][0], A[1][0] * B[0][1] + A[1][1] * B[1][1]]
        ]

    def matrix_power(matrix, n):
        result = [[1, 0], [0, 1]]
        base = matrix
        while n > 0:
            if n % 2 == 1:
                result = matrix_multiply(result, base)
            base = matrix_multiply(base, base)
            n //= 2
        return result

    if n <= 1:
        return n
    result = matrix_power([[1, 1], [1, 0]], n - 1)
    return result[0][0]

# Example Usage
n = 10
print(fibonacci_matrix(n))  # Output: 55
Enter fullscreen mode Exit fullscreen mode

Conclusion

Brute force algorithms are straightforward but computationally expensive. By identifying patterns like Dynamic Programming, Hashing, and Matrix Exponentiation, you can drastically improve performance and scalability. In future posts, we’ll explore more patterns and their applications.

Top comments (0)