Algorithm
LeetCode 45 - Jump Game II
쿠케캬캬
2023. 2. 8. 22:24
반응형
https://leetcode.com/problems/jump-game-ii/description/
Jump Game II - LeetCode
Jump Game II - You are given a 0-indexed array of integers nums of length n. You are initially positioned at nums[0]. Each element nums[i] represents the maximum length of a forward jump from index i. In other words, if you are at nums[i], you can jump to
leetcode.com
nums를 순차적으로 탐색하면서, 지금 지점에서 갈 수 있는 가장 먼 지점을 업데이트해줍니다.
이를 이용하여, 현재 지점에서 다음으로 도약할 수 있는 가장 먼 지점을 기억해줍니다.
현재 지점에서 해당 지점까지는 1번의 도약으로 갈 수 있음을 의미합니다.
해당 지점에 도달했다면, 다음으로 도약할 수 있는 가장 먼 지점을 다시 업데이트해줍니다.
class Solution {
public:
int jump(vector<int>& nums) {
int cnt = 0, mx = 0, cur = 0;
for(int i=0; i<nums.size() - 1 && cur < nums.size() - 1; i++) {
mx = max(mx, i + nums[i]);
if(cur == i) {
cur = mx;
cnt++;
}
}
return cnt;
}
};
반응형