55跳跃游戏(贪心法)

1、题目描述

给定一个非负整数数组,你最初位于数组的第一个位置。

数组中的每个元素代表你在该位置可以跳跃的最大长度。

判断你是否能够到达最后一个位置。

2、示例

输入: [2,3,1,1,4]
输出: true
解释: 我们可以先跳 1 步,从位置 0 到达 位置 1, 然后再从位置 1 跳 3 步到达最后一个位置。

输入: [3,2,1,0,4]
输出: false
解释: 无论怎样,你总会到达索引为 3 的位置。但该位置的最大跳跃长度是 0 , 所以你永远不可能到达最后一个位置。

3、题解

基本思想:贪心法,循环遍历nums中元素,每次计算最大能到达的下标位置,如果max_pos大于等于最后下标,返回true,如果当前下标等于max_pos,说明不能前进了停滞不前,返回false。

#include
#include
#include
using namespace std;
class Solution {
public:
	bool canJump(vector& nums) {
		//基本思想:贪心法,循环遍历nums中元素,每次计算最大能到达的下标位置
		//如果max_pos大于等于最后下标,返回true,如果当前下标等于max_pos,说明不能前进了停滞不前,返回false
		int max_pos = 0;
		for (int i = 0; i < nums.size(); i++)
		{
			max_pos = max(max_pos, i + nums[i]);
			if (max_pos >= nums.size() - 1)
				return true;
			if (i==max_pos)
				return false;
		}
		//为了编译通过
		return false;
	}
};
int main()
{
	Solution solute;
	vector nums = { 3,2,1,0,4 };
	cout << solute.canJump(nums) << endl;
	return 0;
}


 

你可能感兴趣的:(LeetCode)