2차원 좌표 평면에 변이 축과 평행한 직사각형이 있습니다. 직사각형 네 꼭짓점의 좌표 [[x1, y1], [x2, y2], [x3, y3], [x4, y4]]가 담겨있는 배열 dots
가 매개변수로 주어질 때, 직사각형의 넓이를 return 하도록 solution 함수를 완성해보세요.
dots | result |
---|---|
[[1, 1], [2, 1], [2, 2], [1, 2]] | 1 |
[[-1, -1], [1, 1], [1, -1], [-1, 1]] | 4 |
public int solution(int[][] dots) {
int answer = 1;
int x_min = dots[0][0];
int x_max = dots[0][0];
int y_min = dots[0][1];
int y_max = dots[0][1];
for (int i=1; i<dots.length; i++){
x_min = Math.min(x_min, dots[i][0]);
x_max = Math.max(x_max, dots[i][0]);
y_min = Math.min(y_min, dots[i][1]);
y_max = Math.max(y_max, dots[i][1]);
}
answer = (x_max-x_min) * (y_max-y_min);
return answer;
}