https://www.acmicpc.net/problem/1027
선분으로 된 빌딩들의 최고점끼리 연결하여 장애물(사이에 있는 빌딩의 높이에 의해) 없이 연결될수 있는 횟수를 카운팅 하는 문제이다
빌딩들과 연결을 하면서 장애물이 있는지 체크를 하여야 하는데 이는 기울기를 구하여 쉽게 구할 수 있다.
장애물이 있는지 구할때, 기울기를 통해 해당 건물에서의 연결선의 높이가 해당 건물의 높이보다 크면 장애물이 없는 것이고, 작다면 장애물이 있으니 카운팅이 될 수 없다.
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.StringTokenizer;
public class Main {
static int[] check;
static int[] buildings;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int N = Integer.parseInt(br.readLine());
buildings = new int[N];
check = new int[N];
StringTokenizer st = new StringTokenizer(br.readLine());
for(int i=0; i<N; i++){
buildings[i] = Integer.parseInt(st.nextToken());
}
for(int i=0; i<N-1; i++){
for(int j=i+1; j<N; j++){
calculate(i,j);
}
}
int max = 0;
for(int i=0; i< check.length; i++){
if(check[i] > max){
max = check[i];
}
}
System.out.print(max);
}
private static void calculate(int a, int b) {
double growth = (double) (buildings[b] - buildings[a]) /(b-a);
boolean cal = true;
for(int i = 1; i<b-a; i++){
double result = buildings[a] + growth*i;
if(result <= buildings[a+i]){
cal = false;
break;
}
}
if(cal){
check[a]++;
check[b]++;
}
}
}
골드4 문제가 한번에 풀려서 당황했다.
for문을 중첩으로 3번썼는데 시간복잡도에 안걸려서 놀랐다
아무래도 마지막 for문에서는 반복범위를 b-a 까지로 잡아서 그런것 같다.
다른 사람들의 코드를 보면서 비교를 해보아야겠다