We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Flipping an Image

Difficulty: Easy


Problem Description

Given an n x n binary matrix image, flip the image horizontally, then invert it, and return the resulting image.


Key Insights

  • Flipping an image horizontally involves reversing each row of the matrix.
  • Inverting an image means replacing each 0 with 1 and each 1 with 0.
  • The constraints allow for a straightforward approach due to the small size of the matrix (maximum 20x20).

Space and Time Complexity

Time Complexity: O(n^2) - We need to process each element in the n x n matrix. Space Complexity: O(1) - We can perform the operations in place without requiring additional space.


Solution

To solve the problem, we first iterate through each row of the matrix and reverse the elements. After flipping the rows, we then invert the values in each row. This can be efficiently done by using simple loops. The operations can be performed in place, thus optimizing space usage.


Code Solutions

def flipAndInvertImage(image):
    for row in image:
        # Flip the row
        row.reverse()
        # Invert the row
        for j in range(len(row)):
            row[j] = 1 - row[j]
    return image
← Back to All Questions