Skip to content

Latest commit

 

History

History
30 lines (24 loc) · 584 Bytes

README.md

File metadata and controls

30 lines (24 loc) · 584 Bytes

Binary Search

Solution 1

class Solution {
    public int search(int[] nums, int target) {
        if (nums == null || nums.length == 0) {
            return -1;
        }

        int left = 0;
        int right = nums.length - 1;

        while (left <= right) {
            int mid = left + (right - left) / 2;

            if (nums[mid] == target) {
                return mid;
            } else if (nums[mid] > target) {
                right = mid - 1;
            }  else {
                left = mid + 1;
            }
        }

        return -1;
    }
}