二分查找-leetcode

/**
 * 
 * 278. First Bad Version
 * 
 * You are a product manager and currently leading a team to develop a new
 * product. Unfortunately, the latest version of your product fails the quality
 * check. Since each version is developed based on the previous version, all the
 * versions after a bad version are also bad.
 * 
 * Suppose you have n versions [1, 2, ..., n] and you want to find out the first
 * bad one, which causes all the following ones to be bad.
 * 
 * You are given an API bool isBadVersion(version) which will return whether
 * version is bad. Implement a function to find the first bad version. You
 * should minimize the number of calls to the API.
 * 
 * note: The isBadVersion API is defined in the parent class VersionControl.
 * boolean isBadVersion(int version);
 *
 */
public class Lc278 {
    /*
     * 本题利用二分查找,不同于普通的二分查找,本题是利用二分发找到最先出现的bad code,所以利用折半找到对应位置。
     * 
     * 需要注意的是常规的二分法是利用mid = (left+right)/2;如果left =
     * Integer.maxValue,right=Inter.maxValue,就会超过啦 可以用 left + (right-left) 就可以避免以上情况
     */
    public static int firstBadVersion(int n) {
        int left = 1;
        int right = n;
        while (right > left) {
            int mid = left + (right - left) / 2;
            if (isBadVersion(mid)) {
                right = mid;
            } else {
                left = left + 1;
            }
        }
        return left;
    }     public static boolean isBadVersion(int version) {
        return  false;
    }     public static void main(String[] args) {
        System.out.println(firstBadVersion(5));
    }
} /**
 * Given a sorted array and a target value, return the index if the target is
 * found. If not, return the index where it would be if it were inserted in
 * order.
 * 
 * You may assume no duplicates in the array.
 * 
 *
 */
public class Lc35 {
    /**
     *标准的二分查找题目
     *
     * 
     */
    public static int searchInsert(int[] nums, int target) {
        if (nums.length == 0) {
            return 0;
        }
        int left = 0;
        int right = nums.length;
        while (left < right) {
            int mid = left + (right - left) / 2;
            if (nums[mid] == target) {
                return mid;
            } else if (nums[mid] > target) {
                right = mid;
            } else if (nums[mid] < target) {
                left = mid + 1;
            }
        }
        return ++right;
    }     public static void main(String[] args) {
        int[] nums = { 1, 3 };
        int target = 2;
        System.out.println(searchInsert(nums, target));
    }
} import java.util.Arrays; /**
 * 
 * 33. Search in Rotated Sorted Array
 * 
 * Suppose an array sorted in ascending order is rotated at some pivot unknown
 * to you beforehand.
 * 
 * (i.e., [0,1,2,4,5,6,7] might become [4,5,6,7,0,1,2]).
 * 
 * You are given a target value to search. If found in the array return its
 * index, otherwise return -1.
 * 
 * You may assume no duplicate exists in the array.
 * 
 * Your algorithm's runtime complexity must be in the order of O(log n).
 *
 */
public class Lc33 {
    /**
     * 数组之间相互指向是地址指向,值改变双方都是改变
     * 
     */
    public static int search(int[] nums, int target) {
        if (nums.length == 0) {
            return -1;
        }
        // 复制到新的空间
        int temp[] = new int[nums.length];
        for (int i = 0; i < nums.length; i++) {
            temp[i] = nums[i];
        }
        // 排序
        Arrays.sort(temp);         int left = 0;
        int right = nums.length;         // 记录目标数据在排序后数组中的位置
        int position = Integer.MAX_VALUE;
        while (left < right) {
            int mid = left + (right - left) / 2;
            if (target == temp[mid]) {
                position = mid;
                break;
            } else if (temp[mid] > target) {
                right = mid;
            } else if (temp[mid] < target) {
                left = left + 1;
            }
        }
        // 数组中无该数据
        if (position == Integer.MAX_VALUE) {
            return -1;
        }
        // 找到目标数据在数组中的位置,找到对应值在原数组的位置
        for (int i = 0; i < nums.length; i++) {
            if (nums[i] == temp[position]) {
                return i;
            }
        }
        return nums.length;     }     public static void main(String[] args) {
        int nums[] = { 4, 5, 6, 7, 0, 1, 2 };
        int target = 0;
        System.out.println(search(nums, target));
    }
} /*
 * 
 * 153. Find Minimum in Rotated Sorted Array
 * 
 * 
 * Suppose an array sorted in ascending order is rotated at some pivot unknown to you beforehand. (i.e.,  [0,1,2,4,5,6,7] might become  [4,5,6,7,0,1,2]). Find the minimum element. You may assume no duplicate exists in the array.
 */
public class Lc153 {
    /*
     * 首先对比俩端的数字,如果是左边小于右边,则无需比较,整体是升序;
     * 
     * 如果左边大于右边,如果中间位置的值大于左边,则中间值也在一组升序里面,则需让左边的边界为中间值 同理 右边也是
     */
    public static int findMin(int[] nums) {
        int left = 0;
        int right = nums.length;
        if (nums[left] < nums[right - 1]) {
            return nums[0];
        }         while (left < right - 2) {
            int mid = left + (right - left) / 2;
            if (nums[mid] > nums[left]) {
                left = mid;
            } else if (nums[mid] < nums[left]) {
                right = mid;
            }
        }
        return nums[right];
    }     public static void main(String[] args) {
        int[] nums = { 4, 5, 6, 7, 0, 1, 2 };
        System.out.println(findMin(nums));
    }
} /*
 * We are playing the Guess Game. The game is as follows: I pick a number from 1 to n. You have to guess which number I picked. Every time you guess wrong, I'll tell you whether the number is higher or lower. You call a pre-defined API guess(int num) which returns 3 possible results (-1, 1, or 0):
 */
public class Lc374 {
    /*
     * guess(int num)
     */
    public static int guessNumber(int n) {
        int left = 1;
        int right = n;
        while (left < right) {
            int mid = left + (right - left) / 2;
            int res = guess(mid);
            if (res == 0) {
                return mid;
            } else if (res == -1) {
                right = mid-1;
            } else if (res == 1) {
                left = mid+1;
            }
        }
        return n;
    }     private static int guess(int num) {
        if (num < 2) {
            return -1;
        }
        if (num > 2) {
            return 1;
        }
        return 0;
    }     public static void main(String[] args) {
        System.out.println(guessNumber(2));     }
}

二分查询-leetcode的更多相关文章

  1. C# 二分查询

    using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.T ...

  2. 【洛谷P2894】Hotel 线段树+二分查询

    题目大意:给定一个长度为 N 的序列,每个点有两种状态 1/0,表示占有和空闲,现支持 first-fit 查询是否有一段连续的长度为 X 的空闲子序列和区间赋值操作. 题解:get到了线段树新技能. ...

  3. codeforces 633D - Fibonacci-ish 离散化 + 二分查询

    Fibonacci-ish Yash has recently learnt about the Fibonacci sequence and is very excited about it. He ...

  4. bzoj1257 数学整理二分查询

    2013-11-15 21:55 原题传送门http://www.lydsy.com/JudgeOnline/problem.php?id=1257 要求求sigma k mod i(i<=n) ...

  5. sql 中多表查询-leetcode : Combine Two Tables

    因为对数据库的内容早都忘得差不多了,所以我的第一感觉是: select Person.FirstName, Person.LastName, Address.City from Person, Add ...

  6. Light oj 1138 - Trailing Zeroes (III) (二分)

    题目链接:http://lightoj.com/volume_showproblem.php?problem=1138 题目就是给你一个数表示N!结果后面的0的个数,然后让你求出最小的N. 我们可以知 ...

  7. noip 2012 借教室 (线段树 二分)

    /* 维护区间最小值 数据不超int 相反如果long long的话会有一组数据超时 无视掉 ll int */ #include<iostream> #include<cstdio ...

  8. 编程内功修炼之数据结构—BTree(二)实现BTree插入、查询、删除操作

    1 package edu.algorithms.btree; import java.util.ArrayList; import java.util.List; /** * BTree类 * * ...

  9. 湖南省第十一届大学生程序设计竞赛:Internet of Lights and Switches(HASH+二分+异或前缀和)

    Internet of Lights and Switches Time Limit: 1 Sec  Memory Limit: 128 MBSubmit: 3  Solved: 3[Submit][ ...

随机推荐

  1. mac 终端高亮显示~

    针对terminal采用bash模式: 编辑 ~/.bash_profile, 加入以下代码: export CLICOLOR=1 export LSCOLORS=gxfxaxdxcxegedabag ...

  2. c语言l博客作业08

    问题 答案 这个作业属于那个课程 C语言程序设计II 这个作业要求在哪里 https://edu.cnblogs.com/campus/zswxy/CST2019-2/homework/8655 我在 ...

  3. Vue 一个注册页面有省市联动

    var vm = new Vue({ el: '#complete-info', data: { provinceList: [], selectedProvince: "", c ...

  4. 对python的初步了解

    一,Python简介 Python 是一个高层次的结合了解释性.编译性.互动性和面向对象的脚本语言. Python 的设计具有很强的可读性,相比其他语言经常使用英文关键字,其他语言的一些标点符号,它具 ...

  5. 小白学 Python 爬虫(13):urllib 基础使用(三)

    人生苦短,我用 Python 前文传送门: 小白学 Python 爬虫(1):开篇 小白学 Python 爬虫(2):前置准备(一)基本类库的安装 小白学 Python 爬虫(3):前置准备(二)Li ...

  6. Python开发GUI工具介绍,实战:将图片转化为素描画!【华为云技术分享】

    版权声明:本文为博主原创文章,遵循CC 4.0 BY-SA版权协议,转载请附上原文出处链接和本声明. 本文链接:https://blog.csdn.net/devcloud/article/detai ...

  7. pringBoot-MongoDB 索引冲突分析及解决【华为云技术分享】

    版权声明:本文为博主原创文章,遵循CC 4.0 BY-SA版权协议,转载请附上原文出处链接和本声明. 本文链接:https://blog.csdn.net/devcloud/article/detai ...

  8. 【立即报名】解码AI大杀器:华为云GPU+Tensorflow 容器实战

    导语: 人工智能的火热,带来了一波学习TensorFlow深度学习框架的热潮.聊深度学习免不了要用GPU,但目前GPU费用较高,对于个人学习者和创业公司来讲的话,按需配置的云GPU服务器是一个不错的选 ...

  9. mininet(一)实验环境搭建

    mininet(一)实验环境搭建 mininet(二)简单的路由实验 mininet(三)简单的NAT实验 最近学习(https://github.com/mininet/openflow-tutor ...

  10. FIve in a row

    Alice and Bob play 5-in-a-row game. They have a playing field of size 10 × 10. In turns they put eit ...