☕Language: Java
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
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
|
class Solution {
public int[] solution(String[] wallpaper) {
int[] answer = new int[4];
int east = wallpaper[0].length();
int west = 0;
int north = wallpaper.length;
int south = 0;
for(String row : wallpaper) {
east = east > calcRowMin(row) ? calcRowMin(row) : east;
west = west < calcRowMax(row) ? calcRowMax(row) : west;
}
for(int i=0; i<wallpaper.length; i++) {
if(calcMinSharp(wallpaper[i])) {
north = i;
break;
}
}
for(int i=0; i<wallpaper.length; i++) {
south = calcMaxSharp(wallpaper[i]) ? i : south;
}
answer[0] = north;
answer[1] = east;
answer[2] = south+1;
answer[3] = west+1;
return answer;
}
public static int calcRowMin(String row) {
int min=row.length();
for(int i=0; i<row.length(); i++) {
if(row.charAt(i)=='#') {
min = min > i ? i : min;
break;
}
}
return min;
}
public static int calcRowMax(String row) {
int max=-1;
for(int i=row.length()-1; i>=0; i--) {
if(row.charAt(i)=='#') {
max = max < i ? i : max;
break;
}
}
return max;
}
public static boolean calcMinSharp(String row) {
boolean result = false;
for(int i=0; i<row.length(); i++) {
if(row.charAt(i)=='#') {
result = true;
break;
}
}
return result;
}
public static boolean calcMaxSharp(String row) {
boolean result = false;
for(int i=row.length()-1; i>=0; i--) {
if(row.charAt(i)=='#') {
result = true;
break;
}
}
return result;
}
}
|
1. int east, west, north, south
- 상하좌우 최대, 최소를 담을 변수 선언
2. calcRowMin
- 좌우 최소값 탐색
3. calcRowMax
- 좌우 최대값 탐색
4. calcMinSharp
- 상하 최소값(배열 중 첫번째 Sharp 위치) 탐색
5. calcMaxSharp
- 상하 최대값(배열 중 마지막 Sharp 위치) 탐색
😮 찾아본 풀이
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
class Solution {
public int[] solution(String[] wallpaper) {
int minX = 50;
int minY = 50;
int maxX = -1;
int maxY = -1;
for(int i=0; i< wallpaper.length; i++){
for(int j=0; j<wallpaper[i].length(); j++){
if(wallpaper[i].charAt(j)=='#'){
minX = Math.min(minX,i);
minY = Math.min(minY,j);
maxX = Math.max(maxX,i);
maxY = Math.max(maxY,j);
}
}
}
return new int[]{minX,minY,maxX+1,maxY+1};
}
}
|
* Min, Max 함수 활용
🔗 소스 코드
GitHub
📚 참고 자료
'Computer > Algorithm_Java' 카테고리의 다른 글
[Algorithm_Java] 서울에서 김서방 찾기 (Success) (0) | 2023.10.25 |
---|---|
[Algorithm_Java] 문자열 다루기 기본 (Success) (0) | 2023.10.24 |
[Algorithm_Java] 추억 점수 (Success) (0) | 2023.10.20 |
[Algorithm_Java] 달리기 경주 (Success) (1) | 2023.10.19 |
[Algorithm_Java] 문자열 내림차순으로 배치하기 (Success) (0) | 2023.10.17 |