Problem Description
You are given a 0-indexed two-dimensional integer array nums
. Return the largest prime number that lies on at least one of the diagonals of nums
. In case, no prime is present on any of the diagonals, return 0.
Key Insights
- An integer is prime if it is greater than 1 and has no positive integer divisors other than 1 and itself.
- The elements on the primary diagonal can be accessed via
nums[i][i]
. - The elements on the secondary diagonal can be accessed via
nums[i][nums.length - i - 1]
. - We need to find all unique numbers on both diagonals and check which of these are prime.
- The goal is to return the largest prime number found, or 0 if no prime exists.
Space and Time Complexity
Time Complexity: O(n) for traversing the diagonals, plus O(sqrt(m)) for checking primality for each diagonal element, where m is the maximum value in the diagonals.
Space Complexity: O(n) for storing diagonal elements in a set to check for uniqueness.
Solution
To solve the problem, we will:
- Iterate through the matrix to collect all elements on both the primary and secondary diagonals.
- Use a helper function to determine if a number is prime.
- Keep track of the largest prime number found during our checks.
- Return the largest prime number or 0 if none are found.
We will use a set to ensure uniqueness of diagonal elements and a simple trial division method to check for primality.