1. Overview

In this tutorial, we’ll discuss searching for a number in a sorted and rotated array. We’ll define the problem and provide an example to explain it.

After that, we’ll present an elegant approach to solving it.

2. Defining the Problem

Given an integer, X, and a sorted rotated array, A, consisting of distinct integers, our task is to find the element’s position whose value equals X in A. If there’s no such element, we return -1.

Let’s take a look at the following example:

RotatedArray

Assume we want to find the following numbers in the given array:

  • X = 7 \rightarrow position = 0
  • X = 2 \rightarrow position = -1 (not found)
  • X = 1 \rightarrow position = 3

3. Binary Search Approach

3.1. Main Idea

The main idea is to use the binary search technique to find the position of \boldsymbol{X} in \boldsymbol{A}. If we’re currently looking at the value at position middle, we’ll encounter three different cases:

  1. \boldsymbol{A[middle] = X}: meaning that we found our target, and we return its position
  2. \boldsymbol{A[middle] < X}: it means we have to look for a bigger element, so we’ll check whether the leftmost element is greater than A[middle], and is less than or equal to the target X. In this case, our target should come after the leftmost element. Thus, we might find it in the left part of the array. Otherwise, it should be on the right part.
  3. \boldsymbol{A[middle] > X}: it means we have to look for a smaller element. Therefore, we check whether the rightmost element is less than A[middle], and is greater than or equal to X. If so, our target should come before the rightmost element. Hence, we can find it in the right part of A. Otherwise, it should be on the left part.

In the end, if we finish the binary search and don’t return any value during the search, then our target X doesn’t exist in A. As a result, we return -1.

3.2. Algorithm

Let’s take a look at the implementation:

Rendered by QuickLaTeX.com

The implementation uses the exact ideas described in section 3.1.

The complexity of this algorithm is \boldsymbol{O(Log_2(N))}, where N is the length of the given array A. The reason behind this complexity is the same as the binary search complexity, where we keep dividing the given array each time into two halves and looking for the target in one of them.

4. Conclusion

This article presented the most efficient way to find an integer in a sorted rotated array. First, we provided an example of the problem. Then we gave an elegant approach to solving it and walked through its implementation.

Comments are open for 30 days after publishing a post. For any issues past this date, use the Contact form on the site.