Interview Question
Share Lesson

Sorted Matrix Search

Given a sorted matrix of integers, write a function searchMatrix that returns the [row, column] index of a target value if it exists or [-1, -1] if it does not.

We will define the matrix as being sorted if all the items along any row are always increasing, and all the items down any column are always increasing.

You will search for an item in the matrix, and return its row and column index as two items in an array. If the item does not exist in the matrix, return -1 for both the row and column index.

The integers in the array are guaranteed to be unique.

 

Breakdown

Loading...
Follow teacher
Share:

Table of Contents

Validate My Answer

  1. In a brute force approach, you could search along all r rows and c columns. This would be a O(r x c) brute force solution, so think how you can do better.

  2. There are a couple of ways to solve this using binary search or divide and conquering. For example, you could iterate down all r rows and do a binary search on all c columns. If you're brave, you could also just perform a binary search on rows and columns simultaneously, but this gets messy quickly. With divide and conquer, you can recursively split the matrix into four sub-matrices.

    All of these solutions are on the approximate order of O(n log n) time complexity solutions.

    You can do better while also using simpler code.

  3. This problem can be solved linearly in O(r + c) time where the r and c are the row and column lengths, and it needs no additional space O(1).

    To achieve this, you either need to start at the bottom-left or top-right corner and come up with the logic and iterate the matrix from either of those points.

Loading...
Follow teacher
Share:

Table of Contents

Test Results

Run your code and see results here...

/**
 * @param {List[List[int]]} matrix
 * @param {int} target
 * @return {List[int]}
 */
const searchMatrix = (matrix, target) => {
  // Your solution here
}
// Upgrade for full course access
// Upgrade for full course access

Sorted Matrix Search

Given a sorted matrix of integers, write a function searchMatrix that returns the [row, column] index of a target value if it exists or [-1, -1] if it does not.

We will define the matrix as being sorted if all the items along any row are always increasing, and all the items down any column are always increasing.

You will search for an item in the matrix, and return its row and column index as two items in an array. If the item does not exist in the matrix, return -1 for both the row and column index.

The integers in the array are guaranteed to be unique.

 
/**
 * @param {List[List[int]]} matrix
 * @param {int} target
 * @return {List[int]}
 */
const searchMatrix = (matrix, target) => {
  // Your solution here
}
// Upgrade for full course access
// Upgrade for full course access