跳到主要内容

Java程序使用多维数组加两个矩阵

要理解此示例,您应该具备以下 Java 编程 主题的知识:

示例:程序实现两个矩阵的加法

public class AddMatrices {

public static void main(String[] args) {
int rows = 2, columns = 3;
int[][] firstMatrix = { {2, 3, 4}, {5, 2, 3} };
int[][] secondMatrix = { {-4, 5, 3}, {5, 6, 3} };

// Adding Two matrices
int[][] sum = new int[rows][columns];
for(int i = 0; i < rows; i++) {
for (int j = 0; j < columns; j++) {
sum[i][j] = firstMatrix[i][j] + secondMatrix[i][j];
}
}

// Displaying the result
System.out.println("Sum of two matrices is: ");
for(int[] row : sum) {
for (int column : row) {
System.out.print(column + " ");
}
System.out.println();
}
}
}

输出

Sum of two matrices is:
-2 8 7
10 8 6

在上述程序中,两个矩阵存储在 2d 数组中,分别命名为 firstMatrixsecondMatrix。我们还定义了行数和列数,并分别存储在变量 rowscolumns 中。

接着,我们初始化了一个名为 sum 的新数组,其行数和列数与给定矩阵相同。这个矩阵数组存储了给定矩阵的加法结果。

我们遍历两个数组的每个索引以添加并存储结果。

最后,我们使用 for-each 循环 遍历 sum 数组中的每个元素并打印它们。