Skip to content

Commit 94e0c5f

Browse files
committed
find smallest number in a sorted rotated array
in linear and log(n) time
1 parent 68f5de1 commit 94e0c5f

File tree

2 files changed

+90
-0
lines changed

2 files changed

+90
-0
lines changed
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,66 @@
1+
/*
2+
3+
// https://www.interviewbit.com/problems/rotated-array/
4+
5+
[]
6+
[1]
7+
[2,1]
8+
[3,4,5,6,1,2]
9+
10+
*/
11+
12+
function smallestNum(arr){
13+
14+
if(arr.length < 1) return false;
15+
16+
var smallest = arr[0];
17+
18+
arr.forEach(function(num){
19+
if(num < smallest){
20+
smallest = num;
21+
}
22+
});
23+
24+
return smallest;
25+
}
26+
27+
28+
function bSearchSmallestNum(arr){
29+
30+
var len = arr.length;
31+
32+
if(len < 1) return false;
33+
34+
var min = 0;
35+
var max = len - 1;
36+
37+
// Binary search looking for element where previous element to it and next element are greater than it
38+
39+
while(min <= max) {
40+
41+
// case where we went through entire search space and ended up with elements equal
42+
if(arr[min] <= arr[max]) return arr[min];
43+
44+
var mid = (min + max) >> 1 ; // bitshift one is same as Math.floor and handles overflow
45+
46+
// modulo len because if len is the last element we want to look at the first element and vice versus
47+
var next = (mid + 1) % len;
48+
var prev = (mid + len - 1) % len;
49+
50+
// our pivot is less than the element before and after it. we found our pivot so we can return
51+
if(arr[mid] <= arr[prev] && arr[mid] <= arr[next] ) {
52+
return arr[mid];
53+
} else if (arr[mid] <= arr[max]){
54+
max = mid + 1;
55+
} else if (arr[mid] >= arr[min]){
56+
min = mid + 1;
57+
}
58+
59+
}
60+
61+
}
62+
63+
module.exports = {
64+
linear: smallestNum,
65+
binary_search: bSearchSmallestNum
66+
};
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,24 @@
1+
var assert = require('assert');
2+
var findSmallestFns = require('../../interview_questions/find_smallest_num.js');
3+
4+
Object.keys(findSmallestFns).forEach(function(key) {
5+
6+
var findSmallest = findSmallestFns[key];
7+
8+
describe(key + ' Find Smallest Number is sorted rotated array Question', function() {
9+
10+
it('works with an empty array', function() {
11+
assert.deepEqual ( findSmallest([]) , false);
12+
});
13+
14+
it('works with a 2 element array', function() {
15+
assert.deepEqual ( findSmallest([2,1]) , 1);
16+
});
17+
18+
it('works with a n element array', function() {
19+
assert.deepEqual ( findSmallest([3,4,5,6,1,2]) , 1);
20+
});
21+
22+
});
23+
24+
});

0 commit comments

Comments
 (0)