Given an array of non-negative integers nums, 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.
class Solution:
def canJump(self, nums: List[int]) -> bool:
if len(nums) == 1:
return True
if nums[0] == 0:
return False
i = 0
maxidx = nums[0]
while i < len(nums):
if maxidx >= len(nums)-1:
return True
if nums[i] == 0 and i == maxidx:
return False
maxidx = max(maxidx, i+nums[i])
i += 1
0 ~ len(nums)-1
) 와 maxidx 를 이용해서 반복문 돌리기class Solution:
def canJump(self, nums: List[int]) -> bool:
reachableIndex = 0
for curr in range(len(nums)):
if curr + nums[curr] >= reachableIndex:
reachableIndex = curr + nums[curr]
if curr == reachableIndex:
break
return reachableIndex >= len(nums) - 1
내 방식과 비슷한데 훨씬 효율이 좋은 솔루션
Greedy 랑 DP 도 있는 거 같은데... 모른 척 하고 싶네요...^^