This code rotates a given square matrix (NxN) 90 degrees...

April 3, 2025 at 02:10 PM

def rotate_matrix(matrix): n = len(matrix) for i in range(n): for j in range(i, n): matrix[i][j], matrix[j][i] = matrix[j][i], matrix[i][j] for row in matrix: row.reverse() return matrix n = int(input("Enter the size of the square matrix (NxN): ")) matrix = [] for _ in range(n): matrix.append(list(map(int, input().split()))) print("Original Matrix:") for row in matrix: print(row) rotated_matrix = rotate_matrix(matrix) print("Rotated Matrix:") for row in rotated_matrix: print(row)

This code rotates a given square matrix (NxN) 90 degrees clockwise. Here's a step-by-step explanation of what the code does:

  1. Input Handling:

    • It takes an integer n as input, which specifies the size of the square matrix (NxN).
    • The variable matrix is initialized as an empty list.
    • Using a loop, it takes n rows of input, where each row is a space-separated string of n integers. Each row is stored as a list of integers within the matrix list.
  2. Displaying the Original Matrix:

    • It prints the original matrix row by row.
  3. rotate_matrix Function:

    • The matrix is rotated 90 degrees clockwise using the following steps:
      • Step 1: Transpose the Matrix:
        • The nested loop iterates through the upper triangular portion of the matrix (including the diagonal) to transpose it in place. For every pair (i, j) in this portion, it swaps matrix[i][j] with matrix[j][i].
        • Transposing essentially flips the matrix over its diagonal.
      • Step 2: Reverse Each Row:
        • After transposing, every row of the matrix is reversed. This effectively converts the transposed matrix into a 90-degree rotated version of the original matrix.
  4. Rotated Matrix Output:

    • The rotated matrix is printed row by row.

Example Run:

Input:

Enter the size of the square matrix (NxN): 3
1 2 3
4 5 6
7 8 9

Execution Steps:

Original Matrix:

1 2 3
4 5 6
7 8 9
  • Step 1: Transpose:

    1 4 7
    2 5 8
    3 6 9
    
  • Step 2: Reverse Each Row:

    7 4 1
    8 5 2
    9 6 3
    

Output:

Rotated Matrix:
7 4 1
8 5 2
9 6 3

Thus, the code rotates the square matrix 90 degrees clockwise.

Generate your own explanations
Download our vscode extension
Read other generated explanations

Built by @thebuilderjr
Sponsored by beam analytics
Read our terms and privacy policy
Forked from openai-quickstart-node