HackerRank Jumping on the clouds

1. 문제

There is a new mobile game that starts with consecutively numbered clouds. Some of the clouds are thunderheads and others are cumulus. The player can jump on any cumulus cloud having a number that is equal to the number of the current cloud plus or . The player must avoid the thunderheads. Determine the minimum number of jumps it will take to jump from the starting postion to the last cloud. It is always possible to win the game.

For each game, you will get an array of clouds numbered if they are safe or if they must be avoided.

Example

Index the array from . The number on each cloud is its index in the list so the player must avoid the clouds at indices and . They could follow these two paths: or . The first path takes jumps while the second takes . Return .

Function Description

Complete the jumpingOnClouds function in the editor below.

jumpingOnClouds has the following parameter(s):

int c[n]: an array of binary integers
Returns

int: the minimum number of jumps required
Input Format

The first line contains an integer , the total number of clouds. The second line contains space-separated binary integers describing clouds where .

Constraints

Output Format

Print the minimum number of jumps needed to win the game.

Sample Input 0

7
0 0 1 0 0 1 0
Sample Output 0

4
Explanation 0:
The player must avoid and . The game can be won with a minimum of jumps:

jump(2).png

Sample Input 1

6
0 0 0 0 1 0
Sample Output 1

3
Explanation 1:
The only thundercloud to avoid is . The game can be won in jumps:

jump(5).png

1.1. 컴퓨팅적 사고

연속적인 구름으로 시작하는 모바일 게임에서 현재 구름의 수와 같은 숫자를 가진 구름위에 점프를 할 수 있습니다. 즉 플레이어는 1,2또는 점프를 진행해야하는데 시작위치에서 ~ 마지막 구름으로 점프하는데의 최소 횟수를 구해야합니다.

0: 안전한 경우, 1: 점프 할 수 없음

Example Index the array from . The number on each cloud is its index in the list so the player must avoid the clouds at indices and . They could follow these two paths: or . The first path takes jumps while the second takes . Return .
다음과 같은 예제에서 보면 점프를 하는 여러경로로 갈 수 있는것을 확인할 수 있습니다. 그래프 탐색을 통해서 해당되는 구름을 점프를 하면서 마지막 구름까지 최소 횟수를 구해야하기때문에 맨 처음에 떠올린 생각은 DFS, BFS탐색을 진행하는것이 맞다라고 생각을 하였습니다.

DFS를 생각해낸 이유는 첫번째 지점의 구름에서 마지막구름까지 진행을 하면서 점프를 진행하는데, 주어진 구름의 상태에 따라서 점프를 할 수 있는지, 없는지를 확인하면서 깊이 탐색을 진행하면 된다라고 생각을 하였기때문입니다.

첫번째 구름에서 점프를 +1, +2 두가지 경우로 시작할 수 있기때문에 2가지 경우로 DFS를 정해주었고, DFS를 탐색하면서 종료조건은 배열에 있는 값이 1일 경우 안전한 구름이 아니기때문에 방문할 수 없게 되므로 종료시켜주었고, 만약 다음 진행하려는 idx값이 n(주어진 구름의 개수) 보다 커지면 더 이상 해당되는 조건을 찾아낼 수 없기때문에 종료시켜주었습니다. 마지막으로 dfs내에서도 1칸점프, 2칸점프의 두가지 경우의 수가 주어지기때문에 두번 호출을 진행하였습니다. 맨 처음에 점프를 하면서 들어갈때는 첫 구름에서 한번 cnt값이 진행된것과 같으므로 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
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
import java.io.*;
import java.math.*;
import java.security.*;
import java.text.*;
import java.util.*;
import java.util.concurrent.*;
import java.util.function.*;
import java.util.regex.*;
import java.util.stream.*;
import static java.util.stream.Collectors.joining;
import static java.util.stream.Collectors.toList;

class Result {

/*
* Complete the 'jumpingOnClouds' function below.
*
* The function is expected to return an INTEGER.
* The function accepts INTEGER_ARRAY c as parameter.
*/

static int[] arr;
static int n;
static int answer;
public static int jumpingOnClouds(List<Integer> c) {
// Write your code here
n = c.size();
arr = new int[101];
answer = Integer.MAX_VALUE;
for(int i=0; i<n; i++){
arr[i] = c.get(i);
}
// 시작시 2칸 점프
dfs(0,2,1);
// 시작시 1칸 점프
dfs(0,1,1);
return answer;
}
public static void dfs(int idx,int dist, int cnt){
int nextIdx = idx + dist;
if(nextIdx > n){
return;
}
if(arr[nextIdx] > 0){
return;
}
if(nextIdx == n-1){
answer = Math.min(answer, cnt);
return;
}
dfs(nextIdx, 2, cnt+1);
dfs(nextIdx, 1, cnt+1);
}

}

public class Solution {
public static void main(String[] args) throws IOException {
BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(System.in));
BufferedWriter bufferedWriter = new BufferedWriter(new FileWriter(System.getenv("OUTPUT_PATH")));

int n = Integer.parseInt(bufferedReader.readLine().trim());

List<Integer> c = Stream.of(bufferedReader.readLine().replaceAll("\\s+$", "").split(" "))
.map(Integer::parseInt)
.collect(toList());

int result = Result.jumpingOnClouds(c);

bufferedWriter.write(String.valueOf(result));
bufferedWriter.newLine();

bufferedReader.close();
bufferedWriter.close();
}
}