Binary Search on a Sorted Array
Authors: Siyong Huang, Michael Cao, Nathan Chen, Andrew Wang
Prerequisites
Quickly finding elements in a sorted array.
Suppose that we want to find an element in a sorted array of size in time. We can do this with binary search; each iteration of the binary search cuts the search space in half, so the algorithm tests values. This is efficient and much better than testing every element in an array.
Resources | |||
---|---|---|---|
CSA | animation, code, lower_bound + upper_bound | ||
CPH | code, lower_bound + upper_bound, some applications | ||
KA | plenty of diagrams, javascript implementation |
Library Functions
C++
Resources | |||
---|---|---|---|
CPP | with examples |
Java
Resources | |||
---|---|---|---|
JAVA | |||
JAVA |
Example - Counting Haybales
Focus Problem – read through this problem before continuing!
As each of the points are in the range , storing locations of haybales in a boolean array and then taking prefix sums of that would take too much time and memory.
Instead, let's place all of the locations of the haybales into a list and sort it. Now we can use the lower_bound
and upper_bound
functions given above to count the number of cows in any range in time.
C++
#include <bits/stdc++.h>using namespace std;using ll = long long;using vi = vector<int>;#define pb push_back#define rsz resize#define all(x) begin(x), end(x)#define sz(x) (int)(x).size()
Java
import java.io.*;import java.util.*;public class haybales{public static void main(String[] args) throws IOException{BufferedReader br = new BufferedReader(new FileReader(new File("haybales.in")));PrintWriter out = new PrintWriter(new BufferedWriter(new FileWriter("haybales.out")));StringTokenizer st = new StringTokenizer(br.readLine());int N = Integer.parseInt(st.nextToken());
Of course, the official solution does not use a library implementation of binary search.