Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 소프티어
- Dynamic Programming
- dfs
- C언어
- group by
- 오블완
- 티스토리챌린지
- SQL 고득점 KIT
- 동적계획법
- softeer
- LEVEL 2
- join
- select
- javascript
- 깊이 우선 탐색
- programmers
- Python
- Lv. 3
- SQL
- level 3
- Lv. 1
- Lv. 2
- Lv. 0
- 너비 우선 탐색
- DP
- bfs
- 프로그래머스
- 자바스크립트
- 파이썬
- Java
Archives
- Today
- Total
몸과 마음이 건전한 SW 개발자
프로그래머스 [Lv. 3] 기지국 설치 {언어 : Java} 본문
문제 링크
https://school.programmers.co.kr/learn/courses/30/lessons/12979
정답 코드
class Solution {
public int solution(int n, int[] stations, int w) {
int answer = 0;
int range = 2 * w + 1;
int currentIdx = 1;
for (int s : stations) {
// 현재 위치가 기지국의 범위에 있는지
int left = s - w;
int right = s + w;
if (currentIdx < left) {
int dist = left - currentIdx;
answer += (int) Math.ceil((float) dist/range);
}
currentIdx = right + 1;
}
// 마지막 기지국 이후의 남은 구역 처리
if (currentIdx <= n) {
int dist = n - currentIdx + 1;
answer += (int) Math.ceil((float) dist / range);
}
return answer;
}
}
풀이 방법
- 현재 범위와 기지국이 도달하는 범위를 비교한다.
- 유효하지 않은 범위를 기지국을 설치 했을 때 유효해지는 범위 (range = 2 * w + 1)로 나눈 후 올림한다.
- 예를 들어 유효하지 않은 범위가 20이고 w가 2라면 range는 5가 되고 기지국은 4개 설치하면 된다.
- 마지막으로 끝부분에 도달했는지 확인하고 위와 동일하게 계산한다.
- answer를 반환하면 끝!
느낀점
- 실수를 줄인다면 Lv. 3도 풀 수 있다.
틀린 코드
- dist를 left - currentIdx + 1로 떠올린 것 까지는 좋다.
- 하지만 left는 이미 유효한 범위이고 dist는 유효하지 않은 범위를 말하므로
- dist = left - 1 - currentIdx + 1 = left - currentIdx가 된다.
- 또 currentIdx가 n보다 작거나 같아야 된다.
- 왜냐하면 currentIdx는 기지국에서 닿지 않는 부분을 의미하기 때문이다.
class Solution {
public int solution(int n, int[] stations, int w) {
int answer = 0;
int range = 2 * w + 1;
int currentIdx = 1;
for (int s : stations) {
// 현재 위치가 기지국의 범위에 있는지
int left = s - w;
int right = s + w;
int dist = left - currentIdx + 1;
if (currentIdx < left) {
answer += (int) Math.ceil((float) dist/range);
currentIdx = right + 1;
}
}
if (currentIdx < n) {
int left = n - w;
int right = n + w;
int dist = left - currentIdx + 1;
answer += (int) Math.ceil((float) dist/range);
}
return answer;
}
}
'알고리즘' 카테고리의 다른 글
프로그래머스 [Lv. 3] 가장 먼 노드 {언어 : JavaScript} (0) | 2024.06.19 |
---|---|
프로그래머스 [Lv. 3] 스티커 모으기 {언어 : Python} (0) | 2024.06.14 |
프로그래머스 [Lv. 3] 단속카메라 {언어 : JavaScript} [AI 코드 피드백 (Beta)] (0) | 2024.06.11 |
프로그래머스 [Lv. 3] 숫자 게임 {언어 : Python} (1) | 2024.06.11 |
백준 SILVER 2 [11724번] 연결 요소의 개수 {언어 : Python} (1) | 2024.06.02 |