博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
LeetCode Jump Game
阅读量:5244 次
发布时间:2019-06-14

本文共 1379 字,大约阅读时间需要 4 分钟。

原题链接在这里:

题目:

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.

题解:

维护一个当前能跳到的最大值maxJump, 若是maxJump 已经>=nums.length-1, 说明能跳到最后一个点,return true.

若是过程中maxJump <= i, 说明跳到当前点便不能往前,跳出loop, return false.

Time Complexity: O(n). Space: O(1).

AC Java:

1 public class Solution { 2     public boolean canJump(int[] nums) { 3         if(nums == null || nums.length == 0){ 4             return false; 5         } 6         int maxJump = 0; 7         for(int i = 0; i
= nums.length-1){10 return true;11 }12 if(maxJump <= i){13 break;14 }15 }16 return false;17 }18 }

 下面的Method 2 更加模板化,方便于的操作。maxJump同样是需要维护的能跳到的最大值,每当 i 大于maxJump时就说明脱节了,

maxJump到不了i 不对maxJump做进一步更新。

loop后面检查maxJump 有没有到 最后一个元素,所示没到,就返回false, 到了就返回 true.

Time Complexity: O(n), Space O(1).

AC Java:

1 public class Solution { 2     public boolean canJump(int[] nums) { 3         if(nums == null || nums.length == 0){ 4             return false; 5         } 6         int maxJump = 0; 7         for(int i = 0; i

 

转载于:https://www.cnblogs.com/Dylan-Java-NYC/p/4834075.html

你可能感兴趣的文章
大数据视频
查看>>
嵌入式操作系统VxWorks简介
查看>>
UOJ #122 【NOI2013】 树的计数
查看>>
鼠标移上,内容显示
查看>>
使用Oracle的存储过程批量插入数据
查看>>
uva11584
查看>>
libevent和libev (转)
查看>>
Java泛型中的类型擦除机制简单理解
查看>>
Maven设置snapshot无法在远程仓库下载的问题解决
查看>>
DataSet筛选数据然后添加到新的DataSet中引发的一系列血案
查看>>
Gulp和Webpack工具的区别
查看>>
new delete的内部实现代码
查看>>
什么是MVC框架?
查看>>
查询数据库内共有多少张表
查看>>
pandas_1
查看>>
题解 P1972 【[SDOI2009]HH的项链】
查看>>
linux bash_profile和.bashrc区别
查看>>
一个例子明白 javascript 中 for 与 for in 的区别
查看>>
采用jsp用表格的形式显示
查看>>
谈谈SQL 语句的优化技术
查看>>