% java BinarySearch 1.txt < 2.txt
如果我有两个文本文件(1.txt 和 2.txt),其中 2.txt 包含不在 1.txt 中的值,那么二进制搜索如何为我们提供这些值?如果参数BinarySearch是一个键和一个排序数组,我看不出这是如何应用的。
下面是二分查找的代码:
import java.util.Arrays;
public class BinarySearch {
    // precondition: array a[] is sorted
    public static int rank(int key, int[] a) {
        int lo = 0;
        int hi = a.length - 1;
        while (lo <= hi) {
            // Key is in a[lo..hi] or not present.
            int mid = lo + (hi - lo) / 2;
            if      (key < a[mid]) hi = mid - 1;
            else if (key > a[mid]) lo = mid + 1;
            else return mid;
        }
        return -1;
    }
    public static void main(String[] args) {
        int[] whitelist = In.readInts(args[0]);
        Arrays.sort(whitelist);
        // read key; print if not in whitelist
        while (!StdIn.isEmpty()) {
            int key = StdIn.readInt();
            if (rank(key, whitelist) == -1)
                StdOut.println(key);
        }
    }
}
根据维基百科,根据我的理解:二进制搜索或半间隔搜索算法在排序数组中找到指定值(输入“键”)的位置。
那么如何在两个文本文件中找到不常见的值呢?