-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathP_LandingLength.swift
69 lines (60 loc) · 1.69 KB
/
P_LandingLength.swift
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
// 방문 길이
// 2018년
/*
(10 x 10) 좌표계에서 캐릭터가 처음 걸어본 길의 거리를 구하는 문제
*/
// 좌표의 방문 여부가 아닌 길의 방문 여부를 체크해야 함
import Foundation
final class P_LandingLength {
func solution(_ dirs: String) -> Int {
var answer = 0 // 처음 걸어본 길의 길이
var x = 5
var y = 5
var visit: [[[[Bool]]]] = Array(
repeating: Array(
repeating: Array(
repeating: Array(
repeating: false,
count: 11
),
count: 11
),
count: 11
),
count: 11
)
for command in dirs {
var nextX = x
var nextY = y
switch command {
case "L":
nextX -= 1
case "R":
nextX += 1
case "U":
nextY += 1
case "D":
nextY -= 1
default:
break
}
// 지정된 범위를 벗어났을 경우
if abs(nextX - 5) > 5 || abs(nextY - 5) > 5 {
continue
}
if !visit[nextX][nextY][x][y] {
// (x, y) <-> (nextX, nextY) 길을 방문했다고 표시
visit[nextX][nextY][x][y] = true
visit[x][y][nextX][nextY] = true
answer += 1
}
x = nextX
y = nextY
}
return answer
}
func run() {
print(solution("ULURRDLLU")) // 7
print(solution("LULLLLLLU")) // 7
}
}