zoukankan      html  css  js  c++  java
  • 55. Jump Game

    题目:

    Given an array of non-negative integers, you are initially positioned at the first index of the array.

    Each element in the array represents your maximum jump length at that position.

    Determine if you are able to reach the last index.

    For example:
    A = [2,3,1,1,4], return true.

    A = [3,2,1,0,4], return false.

    Hide Tags
     Array Greedy 

    链接:http://leetcode.com/problems/jump-game/

    题解:

    Greedy贪婪法。维护一个maxCover,对数组从0 - maxCover或者nums.length进行遍历。当maxCover >= nums.length - 1时表示可以跳到最后一个元素。需要计算精确。

    Time Complexity - O(n), Space Complexity - O(1)。

    public class Solution {
        public boolean canJump(int[] nums) {
            if(nums == null && nums.length == 0)
                return false;
            int maxCover = 0;
            
            for(int i = 0; i < nums.length && i <= maxCover; i ++){
                maxCover = Math.max(maxCover, i + nums[i]);
                if(maxCover >= nums.length - 1)
                    return true;
            }
            
            return false;
        }
    }

    Update:

    public class Solution {
        public boolean canJump(int[] nums) {
            if(nums == null || nums.length == 0)
                return false;
            int maxCover = 0;
            
            for(int i = 0; i < nums.length && i <= maxCover; i++) {
                maxCover = Math.max(nums[i] + i, maxCover);
                if(maxCover >= nums.length - 1)
                    return true;
            }
            
            return false;
        }
    }
    

      

    二刷:

    Java:

    Time Complexity - O(n), Space Complexity - O(1)。

    public class Solution {
        public boolean canJump(int[] nums) {
            if (nums == null || nums.length == 0) {
                return false;
            }
            int maxCover = 0;
            for (int i = 0; i < nums.length && i <= maxCover; i++) {
                if (i + nums[i] > maxCover) {
                    maxCover = i + nums[i];
                }
                if (maxCover >= nums.length - 1) {
                    return true;
                }
            }
            return false;
        }
    }

    三刷:

    Java:

    public class Solution {
        public boolean canJump(int[] nums) {
            if (nums == null || nums.length == 0) return false;
            int maxCover = 0;
            for (int i = 0; i < nums.length && i <= maxCover; i++) {
                if (i + nums[i] >= nums.length - 1) return true;
                maxCover = Math.max(maxCover, i + nums[i]);
            }
            return false;
        }
    }
  • 相关阅读:
    简明python_Day2_字典、集合、模块、类、编程习惯
    测试2T2
    测试2T1
    bzoj2761
    一元三次方程求根公式及韦达定理
    状压DP入门——铺砖块
    高精度模板
    测试1T3
    测试1T2
    测试1T1
  • 原文地址:https://www.cnblogs.com/yrbbest/p/4436373.html
Copyright © 2011-2022 走看看