[Kotlin/프로그래머스] 코딩테스트 연습 > 연습문제 > 할인 행사

👀 문제

https://school.programmers.co.kr/learn/courses/30/lessons/131127

👊 도전

1. 설계

  1. 문제 설명대로 구현

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
class Solution {
fun solution(want: Array<String>, number: IntArray, discount: Array<String>): Int {
var answer: Int = 0
val wantMap = hashMapOf<String, Int>().apply {
this.putAll(want.mapIndexed { index, s -> s to number[index] })
}
val discountMap = hashMapOf<String, Int>()
var index = 0
var isAvailable = true
while (index + 9 < discount.size) {
if (index == 0) {
for (i in 0 until 10) {
discountMap[discount[i]] = (discountMap[discount[i]] ?: 0) + 1
}
} else {
val prevKey = discount[index - 1]
discountMap[prevKey]?.let {
discountMap[prevKey] = it - 1
}
discountMap[discount[index+9]] = (discountMap[discount[index+9]] ?: 0) + 1
}
run loop@{
wantMap.forEach { (key, value) ->
if ((discountMap[key] ?: 0) < value) {
isAvailable = false
return@loop
}
}
}
if (isAvailable) {
answer++
}
index++
isAvailable = true
}

        return answer
    }
}

3. 결과

실행결과 🤟 성공 🤟

4. 설명

  1. want를 Map으로 변환, index~index+10까지의 sum을 Map으로 만들고 체크한다
    • wantMap을 순회하면서 discountMap값이 더 작으면 불가능하므로 isAvailable=false로 바꾸고 wantMap 순회를 종료한다.
    • isAvailable=false면 answer을 늘릴 수 없다.
  2. 다음 인덱스는 이전 인덱스 값을 discountMap에서 하나 줄이고 추가된 마지막 인덱스(index+10)을 discountMap에 추가한다
    • 인덱스가 바뀌면 맨 앞과 맨 뒤만 변경되므로 맨 앞이었던 이전 인덱스는 없애고 마지막 인덱스를 discountMap에 추가해주면 된다.

👏 해결 완료!