[Algorithm] Leet_1423_Maximum_Points_You_Can_Obtain_from_Cards
Leet_1423_Maximum_Points_You_Can_Obtain_from_Cards 접근방식
[Algorithm] Leet_1423_Maximum_Points_You_Can_Obtain_from_Cards
Leet_1423_Maximum_Points_You_Can_Obtain_from_Cards
문제 링크
https://leetcode.com/problems/maximum-points-you-can-obtain-from-cards/
카테고리
슬라이딩 윈도우
접근 방식
끝에서부터 카드를 집을 수 있는 고정된 슬라이딩 윈도우 문제이다.
따라서 배열을 2배로 늘려서 원형 큐의 모양으로 원본 배열을 변형하여 슬라이딩 윈도우를 적용하는 방식으로 해결했다.
코드
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
package ver2.Leet_1423_Maximum_Points_You_Can_Obtain_from_Cards;
class Solution {
public int maxScore(int[] cardPoints, int k) {
int max = Integer.MIN_VALUE;
int n = cardPoints.length;
int start = n - k;
int end = n - k;
int maxEnd = n + k - 1;
int size = k;
int sum = 0;
int[] arr = new int[n*2];
for(int i = 0 ; i < n; i++){
arr[i] = cardPoints[i];
arr[i + n] = cardPoints[i];
}
while(end <= maxEnd){
if(end - start + 1 < size){
sum += arr[end];
end++;
}
else{
sum += arr[end];
max = Math.max(sum, max);
sum -= arr[start];
start++;
end++;
}
}
return max;
}
}
This post is licensed under CC BY 4.0 by the author.