Problem Description
Given an n x n matrix where each of the rows and columns is sorted in ascending order, return the k-th smallest element in the matrix. Note that it is the k-th smallest element in the sorted order, not the k-th distinct element.
Key Insights
- The matrix is sorted both row-wise and column-wise.
- The k-th smallest element can be found using a binary search approach on the value range of the matrix.
- A min-heap (priority queue) can be employed to efficiently find the k-th smallest element by repeatedly extracting the smallest element.
Space and Time Complexity
Time Complexity: O(k log n) - where k is the number of elements to extract and n is the number of rows/columns. Space Complexity: O(n) - for the min-heap used to store elements.
Solution
To solve the problem, we can utilize a binary search approach combined with a counting mechanism that leverages the sorted property of the matrix. The algorithm involves:
- Defining the range of possible values (from the smallest element to the largest element in the matrix).
- Performing binary search on this range, where for each mid value, we count how many elements in the matrix are less than or equal to mid.
- If the count is less than k, we adjust the search range to higher values; otherwise, we adjust to lower values.
- The process continues until we narrow down to the k-th smallest element.
Alternatively, a min-heap can be used to store the smallest elements from the matrix until we reach the k-th extraction.