头歌java矩阵乘法
时间: 2023-10-29 12:57:45 浏览: 108
你好!关于Java中的矩阵乘法,你可以使用多种方法来实现。以下是一种常见的方法:
```java
public class MatrixMultiplication {
public static void main(String[] args) {
int[][] matrix1 = {{1, 2, 3}, {4, 5, 6}, {7, 8, 9}};
int[][] matrix2 = {{9, 8, 7}, {6, 5, 4}, {3, 2, 1}};
int[][] result = multiplyMatrices(matrix1, matrix2);
// 打印结果
for (int[] row : result) {
for (int element : row) {
System.out.print(element + " ");
}
System.out.println();
}
}
public static int[][] multiplyMatrices(int[][] matrix1, int[][] matrix2) {
int rows1 = matrix1.length;
int cols1 = matrix1[0].length;
int cols2 = matrix2[0].length;
int[][] result = new int[rows1][cols2];
for (int i = 0; i < rows1; i++) {
for (int j = 0; j < cols2; j++) {
for (int k = 0; k < cols1; k++) {
result[i][j] += matrix1[i][k] * matrix2[k][j];
}
}
}
return result;
}
}
```
这段代码定义了一个 `multiplyMatrices` 方法,它接受两个二维数组作为参数,并返回它们的乘积。你可以在 `main` 方法中定义两个矩阵,并调用 `multiplyMatrices` 方法来计算它们的乘积。最后,使用嵌套的循环打印出结果矩阵。
希望这可以帮到你!如有任何疑问,请随时提问。
阅读全文