Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 와일드카드
- java
- 인터페이스
- polymorphism
- 캡슐화
- 객체지향
- 백준
- this
- 프림알고리즘
- abstract
- 최소신장트리
- Encapsulation
- Scanner
- inheritance
- 내부 클래스
- 추상화
- Final
- 생성자
- 상속
- 객체 지향
- 열거형
- 제네릭
- python
- 17472
- 추상 클래스
- nextInt
- enum
- 다형성
- 버퍼비우기
Archives
- Today
- Total
쫑쫑이의 블로그
백준 10830 행렬제곱 Java [분할 정복] 본문
https://www.acmicpc.net/problem/10830
행렬 A의 B제곱 행렬을 구해야한다
B의 숫자가 1000억이므로 Long타입으로 써야하고, 완전탐색으로 하면 안된다
제곱을 생각해보면 A^5 = A^4 * A^1 성립한다
A^c = A^a * A^b로 일반화할 수 있고 c = a + b이다
B를 100이라고 가정할때 2의 제곱수로 위에 일반화한 식으로 표현하면 64(2^6) + 32(2^5) + 4(2^2)
B를 2로 나눠서 몫이 1일때만 A의 제곱수를 곱하면 최대 36번 안에 계산된다
package gold;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;
import java.util.StringTokenizer;
import java.util.stream.Collectors;
public class Main {
static int N;
static long B;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
B = Long.parseLong(st.nextToken());
int[][] arr = new int[N][N];
for(int n = 0; n < N; n++) {
arr[n] = Arrays.stream(br.readLine().split(" ")).mapToInt(Integer::parseInt).toArray();
}
int[][] result = new int[N][N];
for(int i = 0; i < N; i++) {
result[i][i] = 1;
}
result = calc(arr, result);
for(int[] r : result) {
System.out.println(Arrays.stream(r).mapToObj(String::valueOf).collect(Collectors.joining(" ")));
}
}
static int[][] multiply(int[][] arr1, int[][] arr2) {
int[][] result = new int[N][N];
for(int i = 0; i < N; i++) {
for(int j = 0; j < N; j++) {
for(int k = 0; k < N; k++) {
result[i][j] += arr1[i][k] * arr2[k][j];
}
result[i][j]%=1000;
}
}
return result;
}
static int[][] calc(int[][] arr, int[][] result) {
if (B == 0L) return result;
if (B % 2 == 1L) result = multiply(arr, result);
B /= 2;
return calc(multiply(arr,arr), result);
}
}
문제풀면서 주의해야할점은 처음에 1000이 들어왔을때 0으로 바꿔줘야하고,
B가 int로 담을 수 없는 큰 수가 오는 경우가 있어 long으로 담아야한다
'알고리즘 > 백준' 카테고리의 다른 글
백준 5639 이진 검색 트리 Java [트리 순회] (0) | 2022.10.10 |
---|---|
백준 11404 플로이드 Java [플로이드 워셜] (0) | 2022.10.09 |
백준 1967 트리의 지름 Java [트리, DFS] (0) | 2022.10.07 |
백준 1167 트리의 지름 Java [트리, DFS] (0) | 2022.10.07 |
백준 2263 트리의 순회 Java [트리 순회] (0) | 2022.10.07 |