用java实现两个矩阵的乘法运算
时间: 2023-11-26 22:05:40 浏览: 66
下面是java实现两个矩阵的乘法运算的示例代码:
```java
public class MatrixMultiplication {
public static void main(String[] args) {
int[][] matrix1 = { {1, 2, 3},
{4, 5, 6} };
int[][] matrix2 = { {7, 8},
{9, 10},
{11, 12} };
int[][] result = multiply(matrix1, matrix2);
printMatrix(result);
}
public static int[][] multiply(int[][] matrix1, int[][] matrix2) {
int rows1 = matrix1.length, cols1 = matrix1[0].length;
int rows2 = matrix2.length, cols2 = matrix2[0].length;
if (cols1 != rows2) {
throw new IllegalArgumentException("Invalid dimensions");
}
int[][] result = new int[rows1][cols2];
for (int i = 0; i < rows1; i++) {
for (int j = 0; j < cols2; j++) {
int sum = 0;
for (int k = 0; k < cols1; k++) {
sum += matrix1[i][k] * matrix2[k][j];
}
result[i][j] = sum;
}
}
return result;
}
public static void printMatrix(int[][] matrix) {
for (int i = 0; i < matrix.length; i++) {
for (int j = 0; j < matrix[0].length; j++) {
System.out.print(matrix[i][j] + " ");
}
System.out.println();
}
}
}
```
在这个示例代码中,我们首先定义了两个矩阵 `matrix1` 和 `matrix2`,然后调用 `multiply` 方法进行矩阵乘法运算,并将结果打印出来。
`multiply` 方法中首先检查了两个矩阵的维度是否满足矩阵乘法的要求,接着通过三重循环计算出了结果矩阵 `result` 中的每一个元素。
最后,我们还定义了一个 `printMatrix` 方法,用于打印矩阵的元素。
阅读全文